ALTER TABLE
Adds or drops a column of a table.
tip
ALTER TABLE can also handle table clustering. For more information, refer to the following pages:
Syntax
ALTER TABLE [IF EXISTS] <name> ADD COLUMN <column_name> <data_type> [ NOT NULL | NULL] [ { DEFAULT <constant_expr> }]
ALTER TABLE [IF EXISTS] <name> DROP COLUMN <column_name>
Examples
Add Column
Add a new column to an existing table:
-- Create a table
CREATE TABLE students (
id BIGINT,
name VARCHAR
);
-- Add a new column 'age' to the 'students' table
ALTER TABLE students ADD COLUMN age INT;
Drop Column
Remove an existing column from a table:
-- Create a table with three columns
CREATE TABLE employees (
id BIGINT,
name VARCHAR,
department VARCHAR
);
-- Remove the 'department' column from the 'employees' table
ALTER TABLE employees DROP COLUMN department;
Add Column with Default Value
Add a new column to an existing table with a default value:
-- Create a table
CREATE TABLE orders (
id BIGINT,
item VARCHAR
);
-- Add a new column 'status' with a default value 'Pending' to the 'orders' table
ALTER TABLE orders ADD COLUMN status VARCHAR DEFAULT 'Pending';
Add Column with NOT NULL Constraint
Add a new column to an existing table with a NOT NULL constraint, which ensures that a value must be assigned to the column:
-- Create a table
CREATE TABLE products (
id BIGINT,
name VARCHAR
);
-- Add a new column 'price' with a NOT NULL constraint to the 'products' table
ALTER TABLE products ADD COLUMN price INT NOT NULL;