PostgreSQL Upserts: Combining INSERT and UPDATE for Efficient Data Management
Learn how to perform upsert operations in PostgreSQL using the `INSERT ON CONFLICT` clause. This tutorial explains the benefits of upserts, their syntax, and best practices for efficient data management. #PostgreSQL #Upsert #INSERT #UPDATE #SQL #Database #PostgreSQLTutorial
Performing Upserts (INSERT or UPDATE) in PostgreSQL
Understanding PostgreSQL Upserts
In PostgreSQL, an upsert operation combines the functionality of both `INSERT` and `UPDATE` statements. It attempts to insert a new row into a table. If a row with the same unique key already exists, the upsert updates that existing row instead of creating a duplicate. This ensures data integrity and simplifies database operations, particularly when dealing with data that might already exist.
PostgreSQL Upsert using `INSERT ON CONFLICT`
PostgreSQL 9.5 and later versions provide the `INSERT ON CONFLICT` clause for upserts. The basic syntax is:
Syntax
INSERT INTO table_name (column_list)
VALUES (value_list)
ON CONFLICT target DO action;
Where:
table_name
: The table to insert into.column_list
: The columns to insert values into.value_list
: The values to insert.target
: Specifies the columns or constraints to check for conflicts (e.g., a column name or constraint name).action
: Specifies the action to take if a conflict occurs:DO NOTHING
: Ignore the conflicting row.DO UPDATE
: Update the existing row.
Example: Upserting Data into a Table
This example demonstrates upserting data into the `officers` table. It first creates the table with a unique constraint on `officers_name` to enforce unique officer names. Then, it inserts and updates the officers data.
1. Creating the Table
CREATE TABLE Statement
CREATE TABLE officers (
officers_id SERIAL PRIMARY KEY,
officers_name VARCHAR UNIQUE,
officers_email VARCHAR NOT NULL,
officers_address VARCHAR NOT NULL
);
2. Inserting Initial Data
INSERT INTO Statement
INSERT INTO officers (officers_name, officers_email, officers_address) VALUES
('Denny', 'denny11@hotmail.com', 'New York'),
('John', 'john23@gmail.com', 'Boston'),
('Olivia', 'olivia22@gmail.com', 'New York'),
('Mike', 'mike34@gmail.com', 'New York');
3. Upserting a Row (DO NOTHING)
INSERT ON CONFLICT (DO NOTHING)
INSERT INTO officers (officers_name, officers_address)
VALUES ('Olivia', 'Florida')
ON CONFLICT (officers_name) DO NOTHING;
4. Upserting a Row (DO UPDATE)
INSERT ON CONFLICT (DO UPDATE)
INSERT INTO officers (officers_name, officers_email, officers_address)
VALUES ('Olivia', 'olivia22@gmail.com', 'Florida')
ON CONFLICT (officers_name) DO UPDATE SET officers_address = EXCLUDED.officers_address;
Conclusion
PostgreSQL's `INSERT ON CONFLICT` provides a powerful and efficient way to perform upsert operations. Understanding its syntax and different actions (`DO NOTHING`, `DO UPDATE`) is crucial for maintaining data integrity and creating robust database applications.