TutorialsArena

PostgreSQL: Working with Arrays

Learn how to create, manipulate, and query arrays in PostgreSQL. This guide covers array functions and data retrieval techniques.



Working with PostgreSQL Arrays

PostgreSQL allows you to store arrays of data within a single column. This is very useful when a single database entry needs to contain multiple related values. This guide explains how to create tables with array columns, insert and retrieve array data, use array functions, and filter data based on array elements.

Understanding PostgreSQL Arrays

PostgreSQL supports arrays of various data types (including built-in, enumerated, and user-defined types). When you define a column as an array, you can store multiple values of that type within a single cell.

Creating a Table with an Array Column

You create a table with an array column using the `CREATE TABLE` command. The syntax is:


CREATE TABLE table_name (
    column1 data_type,
    column2 data_type[],  --Array column
    ...
);

The `data_type[]` notation indicates an array column. PostgreSQL automatically handles the underlying array type based on the `data_type` you specify.

Inserting Data into an Array Column

Use the `ARRAY` constructor to insert array values:


INSERT INTO table_name (column1, column2) VALUES ('value1', ARRAY[val1, val2, val3]);

Alternatively, you can use curly braces `{}`:


INSERT INTO table_name (column1, column2) VALUES ('value1', '{"val1", "val2", "val3"}');

(Note: Screenshots from the original document are not included here. Please refer to the original document for visual confirmation of table creation and data insertion. The descriptions below aim to convey the information in those screenshots.)

Selecting Array Data

Retrieve array data using standard `SELECT` statements. Access individual elements using array indexing (one-based):


SELECT column1, column2[1] FROM table_name; -- Accesses the first element of the array

Filtering with Array Elements in the `WHERE` Clause

You can filter rows based on array elements using the `ANY()` operator:


SELECT * FROM products WHERE 'red' = ANY(colors);

This selects rows where the array `colors` contains the element `'red'`.

Modifying Array Data

You can update either individual elements or the entire array using `UPDATE`:


UPDATE products SET colors[1] = 'blue' WHERE id = 1; -- Update a single element
UPDATE products SET colors = '{"green", "blue"}' WHERE id = 2; -- Update the entire array

Expanding Arrays with `unnest()`

The `unnest()` function transforms an array into multiple rows, making it easier to work with array elements in queries.


SELECT person_name, unnest(mobile_numbers) AS mobile_number FROM person_details;