TutorialsArena

Updating Data in PostgreSQL: A Comprehensive Guide to the UPDATE Command

Master data modification in PostgreSQL with this comprehensive guide to the `UPDATE` command. Learn the syntax, best practices, and techniques for efficiently updating your database records. #PostgreSQL #UPDATE #SQL #Database #DataModification #PostgreSQLTutorial



Updating Data in PostgreSQL Using the `UPDATE` Command

The PostgreSQL `UPDATE` command modifies existing data in a table. This guide explains the syntax, various options, and best practices for using `UPDATE` effectively.

Basic `UPDATE` Syntax


UPDATE table_name
SET column1 = value1, column2 = value2, ...
WHERE condition;

This command modifies rows in `table_name`. The `SET` clause specifies the columns to update and their new values. The `WHERE` clause filters which rows are updated. If you omit the `WHERE` clause, *all* rows in the table are updated.

Example 1: Updating NULL Values

(Note: This example assumes a table named `department` with a column `last_update` that allows NULL values. Screenshots from the original text are not included here. Please refer to the original document for visual verification of the examples. The descriptions below aim to convey the information in those screenshots.)

This updates the `last_update` column to the current timestamp for rows where `last_update` is `NULL`:


UPDATE department SET last_update = DEFAULT WHERE last_update IS NULL;

Example 2: Updating All Rows

To update all rows in a table, omit the `WHERE` clause:


UPDATE department SET location = 'USA';

Example 3: Updating from Another Column

This example copies values from one column to another within the same table:


UPDATE department SET description = dept_name;

Example 4: Updating Using a `JOIN`

This example updates a table using data from another table. This is often referred to as an `UPDATE JOIN`:


UPDATE department_tmp
SET location = d.location, description = d.description, last_update = d.last_update
FROM department d
WHERE department_tmp.dept_id = d.dept_id;

Using the `RETURNING` Clause

The `RETURNING` clause allows you to retrieve the modified rows after the update:


UPDATE department 
SET description = 'New Description', location = 'New Location'
WHERE dept_id = 1
RETURNING dept_id, description, location;