PostgreSQL DROP COLUMN Statement


PostgreSQL DROP COLUMN Statement

The PostgreSQL DROP COLUMN statement is used to remove an existing column from a table. This statement is essential for modifying the table structure by deleting unnecessary or obsolete columns.


Syntax

ALTER TABLE table_name
DROP COLUMN column_name [CASCADE | RESTRICT];

The DROP COLUMN statement has the following components:

  • table_name: The name of the table from which the column will be dropped.
  • column_name: The name of the column to be removed.
  • CASCADE: Optional. Automatically drops objects that depend on the column.
  • RESTRICT: Optional. Refuses to drop the column if there are any dependent objects. This is the default behavior.

Example PostgreSQL DROP COLUMN Statement Queries

Let's look at some examples of PostgreSQL DROP COLUMN statement queries:

1. Basic DROP COLUMN Example

ALTER TABLE employees
DROP COLUMN birth_date;

This query removes the birth_date column from the employees table.

2. DROP COLUMN with CASCADE

ALTER TABLE employees
DROP COLUMN birth_date CASCADE;

This query removes the birth_date column from the employees table and automatically drops all objects that depend on this column.

3. DROP COLUMN with RESTRICT

ALTER TABLE employees
DROP COLUMN birth_date RESTRICT;

This query removes the birth_date column from the employees table only if no other objects depend on it. This is the default behavior if neither CASCADE nor RESTRICT is specified.


Full Example

Let's go through a complete example that includes creating a table and then dropping a column.

Step 1: Creating a Table

This step involves creating a new table named employees to store employee data.

CREATE TABLE employees (
    id SERIAL PRIMARY KEY,
    first_name VARCHAR(50),
    last_name VARCHAR(50),
    email VARCHAR(100),
    birth_date DATE
);
PostgreSQL DROP COLUMN from Table

In this example, we create a table named employees with columns for id, first_name, last_name, email, and birth_date.

PostgreSQL DROP COLUMN from Table

Step 2: Dropping the Column

This step involves removing the birth_date column from the employees table.

ALTER TABLE employees
DROP COLUMN birth_date;
PostgreSQL DROP COLUMN from Table

Here, we drop the birth_date column from the employees table.

PostgreSQL DROP COLUMN from Table

Conclusion

The PostgreSQL DROP COLUMN statement is a fundamental tool for modifying the structure of an existing table by removing columns. Understanding how to use the DROP COLUMN statement and its syntax is essential for effective database schema management and modification in PostgreSQL.