VALUES
Computes a set of rows.
Synopsis
VALUES ( <expression> [, ...] ) [, ...]
[ORDER BY <sort_expression> [ ASC | DESC | USING <operator> ] [, ...] ]
[LIMIT { <count> | ALL } ]
[OFFSET <start> [ ROW | ROWS ] ]
[FETCH { FIRST | NEXT } [<count> ] { ROW | ROWS } ONLY ]
Description
VALUES
computes a row value or set of row values specified by value expressions. It is most commonly used to generate a "constant table" within a larger command, but it can be used on its own.
When more than one row is specified, all the rows must have the same number of elements. The data types of the resulting table's columns are determined by combining the explicit or inferred types of the expressions appearing in that column, using the same rules as for UNION
.
Within larger commands, VALUES
is syntactically allowed anywhere that SELECT
is. Because it is treated like a SELECT
by the grammar, it is possible to use the ORDER BY
, LIMIT
(or equivalent FETCH FIRST
), and OFFSET
clauses with a VALUES
command.
Parameters
expression
A constant or expression to compute and insert at the indicated place in the resulting table (set of rows). In a VALUES
list appearing at the top level of an INSERT
, an expression can be replaced by DEFAULT
to indicate that the destination column's default value should be inserted. DEFAULT
cannot be used when VALUES
appears in other contexts.
sort_expression
An expression or integer constant indicating how to sort the result rows. This expression may refer to the columns of the VALUES
result as column1
, column2
, etc. For more details, see "The ORDER BY Clause" in the parameters for SELECT.
operator
A sorting operator. For more details, see "The ORDER BY Clause" in the parameters for SELECT.
LIMIT count
OFFSET start
The maximum number of rows to return. For more details, see "The LIMIT Clause" in the parameters for SELECT.
Notes
VALUES
lists with very large numbers of rows should be avoided, as you may encounter out-of-memory failures or poor performance. VALUES
appearing within INSERT
is a special case (because the desired column types are known from the INSERT
's target table, and need not be inferred by scanning the VALUES
list), so it can handle larger lists than are practical in other contexts.
Examples
A bare VALUES
command:
VALUES (1, 'one'), (2, 'two'), (3, 'three');
This will return a table of two columns and three rows. It is effectively equivalent to:
SELECT 1 AS column1, 'one' AS column2
UNION ALL
SELECT 2, 'two'
UNION ALL
SELECT 3, 'three';
More usually, VALUES
is used within a larger SQL command. The most common use is in INSERT
:
INSERT INTO films (code, title, did, date_prod, kind)
VALUES ('T_601', 'Yojimbo', 106, '1961-06-16', 'Drama');
In the context of INSERT
, entries of a VALUES
list can be DEFAULT
to indicate that the column default should be used here instead of specifying a value:
INSERT INTO films VALUES
('UA502', 'Bananas', 105, DEFAULT, 'Comedy', '82
minutes'),
('T_601', 'Yojimbo', 106, DEFAULT, 'Drama', DEFAULT);