SELECT

    1. table_name [ [ AS ] alias [ ( column_alias [, ...] ) ] ]
    1. from_item join_type from_item [ ON join_condition | USING ( join_column [, ...] ) ]

    and join_type is one of

    1. [ INNER ] JOIN
    2. LEFT [ OUTER ] JOIN
    3. RIGHT [ OUTER ] JOIN
    4. FULL [ OUTER ] JOIN
    5. CROSS JOIN

    and grouping_element is one of

    1. ()
    2. expression
    3. GROUPING SETS ( ( column [, ...] ) [, ...] )
    4. CUBE ( column [, ...] )
    5. ROLLUP ( column [, ...] )

    Description

    Retrieve rows from zero or more tables.

    WITH Clause

    The WITH clause defines named relations for use within a query. It allows flattening nested queries or simplifying subqueries. For example, the following queries are equivalent:

    1. SELECT a, b
    2. FROM (
    3. SELECT a, MAX(b) AS b FROM t GROUP BY a
    4. ) AS x;
    5. WITH x AS (SELECT a, MAX(b) AS b FROM t GROUP BY a)
    6. SELECT a, b FROM x;

    This also works with multiple subqueries:

    1. WITH
    2. t1 AS (SELECT a, MAX(b) AS b FROM x GROUP BY a),
    3. t2 AS (SELECT a, AVG(d) AS d FROM y GROUP BY a)
    4. SELECT t1.*, t2.*
    5. FROM t1
    6. JOIN t2 ON t1.a = t2.a;

    Additionally, the relations within a WITH clause can chain:

    1. WITH
    2. x AS (SELECT a FROM t),
    3. y AS (SELECT a AS b FROM x),
    4. z AS (SELECT b AS c FROM y)
    5. SELECT c FROM z;

    Warning

    Currently, the SQL for the WITH clause will be inlined anywhere the named relation is used. This means that if the relation is used more than once and the query is non-deterministic, the results may be different each time.

    GROUP BY Clause

    The GROUP BY clause divides the output of a SELECT statement into groups of rows containing matching values. A simple GROUP BY clause may contain any expression composed of input columns or it may be an ordinal number selecting an output column by position (starting at one).

    The following queries are equivalent. They both group the output by the nationkey input column with the first query using the ordinal position of the output column and the second query using the input column name:

    1. SELECT count(*), nationkey FROM customer GROUP BY 2;
    2. SELECT count(*), nationkey FROM customer GROUP BY nationkey;

    GROUP BY clauses can group output by input column names not appearing in the output of a select statement. For example, the following query generates row counts for the customer table using the input column mktsegment:

    1. SELECT count(*) FROM customer GROUP BY mktsegment;
    1. _col0
    2. -------
    3. 29968
    4. 30142
    5. 30189
    6. 29949
    7. 29752
    8. (5 rows)

    When a GROUP BY clause is used in a SELECT statement all output expressions must be either aggregate functions or columns present in the GROUP BY clause.

    Complex Grouping Operations

    Presto also supports complex aggregations using the GROUPING SETS, CUBE and ROLLUP syntax. This syntax allows users to perform analysis that requires aggregation on multiple sets of columns in a single query. Complex grouping operations do not support grouping on expressions composed of input columns. Only column names or ordinals are allowed.

    Complex grouping operations are often equivalent to a UNION ALL of simple GROUP BY expressions, as shown in the following examples. This equivalence does not apply, however, when the source of data for the aggregation is non-deterministic.

    GROUPING SETS

    Grouping sets allow users to specify multiple lists of columns to group on. The columns not part of a given sublist of grouping columns are set to NULL.

    1. SELECT * FROM shipping;
    1. origin_state | origin_zip | destination_state | destination_zip | package_weight
    2. --------------+------------+-------------------+-----------------+----------------
    3. California | 94131 | New Jersey | 8648 | 13
    4. California | 94131 | New Jersey | 8540 | 42
    5. New Jersey | 7081 | Connecticut | 6708 | 225
    6. California | 90210 | Connecticut | 6927 | 1337
    7. California | 94131 | Colorado | 80302 | 5
    8. New York | 10002 | New Jersey | 8540 | 3
    9. (6 rows)

    GROUPING SETS semantics are demonstrated by this example query:

    1. SELECT origin_state, origin_zip, destination_state, sum(package_weight)
    2. FROM shipping
    3. GROUP BY GROUPING SETS (
    4. (origin_state),
    5. (origin_state, origin_zip),
    6. (destination_state));
    1. origin_state | origin_zip | destination_state | _col0
    2. --------------+------------+-------------------+-------
    3. New Jersey | NULL | NULL | 225
    4. California | NULL | NULL | 1397
    5. New York | NULL | NULL | 3
    6. California | 90210 | NULL | 1337
    7. California | 94131 | NULL | 60
    8. New Jersey | 7081 | NULL | 225
    9. New York | 10002 | NULL | 3
    10. NULL | NULL | Colorado | 5
    11. NULL | NULL | New Jersey | 58
    12. NULL | NULL | Connecticut | 1562
    13. (10 rows)

    The preceding query may be considered logically equivalent to a UNION ALL of multiple GROUP BY queries:

    1. SELECT origin_state, NULL, NULL, sum(package_weight)
    2. FROM shipping GROUP BY origin_state
    3. UNION ALL
    4. SELECT origin_state, origin_zip, NULL, sum(package_weight)
    5. FROM shipping GROUP BY origin_state, origin_zip
    6. UNION ALL
    7. SELECT NULL, NULL, destination_state, sum(package_weight)
    8. FROM shipping GROUP BY destination_state;

    However, the query with the complex grouping syntax (GROUPING SETS, CUBE or ROLLUP) will only read from the underlying data source once, while the query with the UNION ALL reads the underlying data three times. This is why queries with a UNION ALL may produce inconsistent results when the data source is not deterministic.

    CUBE

    The CUBE operator generates all possible grouping sets (i.e. a power set) for a given set of columns. For example, the query:

    1. SELECT origin_state, destination_state, sum(package_weight)
    2. FROM shipping
    3. GROUP BY CUBE (origin_state, destination_state);

    is equivalent to:

    1. SELECT origin_state, destination_state, sum(package_weight)
    2. FROM shipping
    3. GROUP BY GROUPING SETS (
    4. (origin_state, destination_state),
    5. (origin_state),
    6. (destination_state),
    7. ());
    1. origin_state | destination_state | _col0
    2. --------------+-------------------+-------
    3. California | New Jersey | 55
    4. California | Colorado | 5
    5. New York | New Jersey | 3
    6. New Jersey | Connecticut | 225
    7. California | Connecticut | 1337
    8. California | NULL | 1397
    9. New York | NULL | 3
    10. New Jersey | NULL | 225
    11. NULL | New Jersey | 58
    12. NULL | Connecticut | 1562
    13. NULL | Colorado | 5
    14. NULL | NULL | 1625
    15. (12 rows)

    ROLLUP

    The ROLLUP operator generates all possible subtotals for a given set of columns. For example, the query:

    1. SELECT origin_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY ROLLUP (origin_state, origin_zip);
    1. origin_state | origin_zip | _col2
    2. --------------+------------+-------
    3. California | 94131 | 60
    4. California | 90210 | 1337
    5. New Jersey | 7081 | 225
    6. New York | 10002 | 3
    7. California | NULL | 1397
    8. New York | NULL | 3
    9. New Jersey | NULL | 225
    10. NULL | NULL | 1625
    11. (8 rows)

    is equivalent to:

    1. SELECT origin_state, origin_zip, sum(package_weight)
    2. GROUP BY GROUPING SETS ((origin_state, origin_zip), (origin_state), ());

    Combining multiple grouping expressions

    Multiple grouping expressions in the same query are interpreted as having cross-product semantics. For example, the following query:

    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY
    4. GROUPING SETS ((origin_state, destination_state)),
    5. ROLLUP (origin_zip);

    which can be rewritten as:

    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY
    4. GROUPING SETS ((origin_state, destination_state)),
    5. GROUPING SETS ((origin_zip), ());

    is logically equivalent to:

    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY GROUPING SETS (
    4. (origin_state, destination_state, origin_zip),
    5. (origin_state, destination_state));

    The ALL and DISTINCT quantifiers determine whether duplicate grouping sets each produce distinct output rows. This is particularly useful when multiple complex grouping sets are combined in the same query. For example, the following query:

    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY ALL
    4. CUBE (origin_state, destination_state),
    5. ROLLUP (origin_state, origin_zip);
    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY GROUPING SETS (
    4. (origin_state, destination_state, origin_zip),
    5. (origin_state, destination_state, origin_zip),
    6. (origin_state, origin_zip),
    7. (origin_state, destination_state),
    8. (origin_state),
    9. (origin_state, destination_state),
    10. (origin_state),
    11. (origin_state, destination_state),
    12. (origin_state),
    13. (destination_state),
    14. ());

    However, if the query uses the DISTINCT quantifier for the GROUP BY:

    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY DISTINCT
    4. CUBE (origin_state, destination_state),
    5. ROLLUP (origin_state, origin_zip);

    only unique grouping sets are generated:

    1. SELECT origin_state, destination_state, origin_zip, sum(package_weight)
    2. FROM shipping
    3. GROUP BY GROUPING SETS (
    4. (origin_state, destination_state, origin_zip),
    5. (origin_state, origin_zip),
    6. (origin_state, destination_state),
    7. (origin_state),
    8. (destination_state),
    9. ());

    The default set quantifier is ALL.

    GROUPING Operation

    grouping(col1, ..., colN) -> bigint

    The grouping operation returns a bit set converted to decimal, indicating which columns are present in a grouping. It must be used in conjunction with GROUPING SETS, ROLLUP, CUBE or GROUP BY and its arguments must match exactly the columns referenced in the corresponding GROUPING SETS, ROLLUP, CUBE or GROUP BY clause.

    To compute the resulting bit set for a particular row, bits are assigned to the argument columns with the rightmost column being the least significant bit. For a given grouping, a bit is set to 0 if the corresponding column is included in the grouping and to 1 otherwise. For example, consider the query below:

    1. SELECT origin_state, origin_zip, destination_state, sum(package_weight),
    2. grouping(origin_state, origin_zip, destination_state)
    3. FROM shipping
    4. GROUP BY GROUPING SETS (
    5. (origin_state),
    6. (origin_state, origin_zip),
    7. (destination_state));
    1. origin_state | origin_zip | destination_state | _col3 | _col4
    2. --------------+------------+-------------------+-------+-------
    3. California | NULL | NULL | 1397 | 3
    4. New Jersey | NULL | NULL | 225 | 3
    5. New York | NULL | NULL | 3 | 3
    6. California | 94131 | NULL | 60 | 1
    7. New Jersey | 7081 | NULL | 225 | 1
    8. California | 90210 | NULL | 1337 | 1
    9. New York | 10002 | NULL | 3 | 1
    10. NULL | NULL | New Jersey | 58 | 6
    11. NULL | NULL | Connecticut | 1562 | 6
    12. NULL | NULL | Colorado | 5 | 6
    13. (10 rows)

    The first grouping in the above result only includes the origin_state column and excludes the origin_zip and destination_state columns. The bit set constructed for that grouping is 011 where the most significant bit represents origin_state.

    The HAVING clause is used in conjunction with aggregate functions and the GROUP BY clause to control which groups are selected. A HAVING clause eliminates groups that do not satisfy the given conditions. HAVING filters groups after groups and aggregates are computed.

    The following example queries the customer table and selects groups with an account balance greater than the specified value:

    1. SELECT count(*), mktsegment, nationkey,
    2. CAST(sum(acctbal) AS bigint) AS totalbal
    3. FROM customer
    4. GROUP BY mktsegment, nationkey
    5. HAVING sum(acctbal) > 5700000
    6. ORDER BY totalbal DESC;
    1. _col0 | mktsegment | nationkey | totalbal
    2. -------+------------+-----------+----------
    3. 1272 | AUTOMOBILE | 19 | 5856939
    4. 1253 | FURNITURE | 14 | 5794887
    5. 1248 | FURNITURE | 9 | 5784628
    6. 1243 | FURNITURE | 12 | 5757371
    7. 1231 | HOUSEHOLD | 3 | 5753216
    8. 1251 | MACHINERY | 2 | 5719140
    9. 1247 | FURNITURE | 8 | 5701952
    10. (7 rows)

    UNION | INTERSECT | EXCEPT Clause

    UNION INTERSECT and EXCEPT are all set operations. These clauses are used to combine the results of more than one select statement into a single result set:

    1. query UNION [ALL | DISTINCT] query
    1. query INTERSECT [DISTINCT] query
    1. query EXCEPT [DISTINCT] query

    The argument ALL or DISTINCT controls which rows are included in the final result set. If the argument ALL is specified all rows are included even if the rows are identical. If the argument DISTINCT is specified only unique rows are included in the combined result set. If neither is specified, the behavior defaults to DISTINCT. The ALL argument is not supported for INTERSECT or EXCEPT.

    Multiple set operations are processed left to right, unless the order is explicitly specified via parentheses. Additionally, INTERSECT binds more tightly than EXCEPT and UNION. That means A UNION B INTERSECT C EXCEPT D is the same as A UNION (B INTERSECT C) EXCEPT D.

    UNION

    UNION combines all the rows that are in the result set from the first query with those that are in the result set for the second query. The following is an example of one of the simplest possible UNION clauses. It selects the value 13 and combines this result set with a second query that selects the value 42:

    1. SELECT 13
    2. UNION
    3. SELECT 42;
    1. _col0
    2. -------
    3. 13
    4. 42
    5. (2 rows)

    The following query demonstrates the difference between UNION and UNION ALL. It selects the value 13 and combines this result set with a second query that selects the values 42 and 13:

    1. SELECT 13
    2. UNION
    3. SELECT * FROM (VALUES 42, 13);
    1. _col0
    2. -------
    3. 13
    4. 42
    5. (2 rows)
    1. SELECT 13
    2. UNION ALL
    3. SELECT * FROM (VALUES 42, 13);
    1. _col0
    2. -------
    3. 13
    4. 42
    5. 13
    6. (2 rows)

    INTERSECT

    INTERSECT returns only the rows that are in the result sets of both the first and the second queries. The following is an example of one of the simplest possible INTERSECT clauses. It selects the values 13 and 42 and combines this result set with a second query that selects the value 13. Since 42 is only in the result set of the first query, it is not included in the final results.:

    1. SELECT * FROM (VALUES 13, 42)
    2. INTERSECT
    3. SELECT 13;
    1. _col0
    2. -------
    3. 13
    4. (2 rows)

    EXCEPT

    EXCEPT returns the rows that are in the result set of the first query, but not the second. The following is an example of one of the simplest possible EXCEPT clauses. It selects the values 13 and 42 and combines this result set with a second query that selects the value 13. Since 13 is also in the result set of the second query, it is not included in the final result.:

    1. SELECT * FROM (VALUES 13, 42)
    2. EXCEPT
    3. SELECT 13;
    1. _col0
    2. -------
    3. 42
    4. (2 rows)

    ORDER BY Clause

    The ORDER BY clause is used to sort a result set by one or more output expressions:

    1. ORDER BY expression [ ASC | DESC ] [ NULLS { FIRST | LAST } ] [, ...]

    Each expression may be composed of output columns or it may be an ordinal number selecting an output column by position (starting at one). The ORDER BY clause is evaluated after any GROUP BY or HAVING clause and before any OFFSET, LIMIT or FETCH FIRST clause. The default null ordering is NULLS LAST, regardless of the ordering direction.

    OFFSET Clause

    The OFFSET clause is used to discard a number of leading rows from the result set:

    1. OFFSET count [ ROW | ROWS ]

    If the ORDER BY clause is present, the OFFSET clause is evaluated over a sorted result set, and the set remains sorted after the leading rows are discarded:

    1. SELECT name FROM nation ORDER BY name OFFSET 22;

    Otherwise, it is arbitrary which rows are discarded. If the count specified in the OFFSET clause equals or exceeds the size of the result set, the final result is empty.

    The LIMIT clause restricts the number of rows in the result set. LIMIT ALL is the same as omitting the LIMIT clause.

    1. LIMIT { count | ALL }

    The following example queries a large table, but the limit clause restricts the output to only have five rows (because the query lacks an ORDER BY, exactly which rows are returned is arbitrary):

    1. SELECT orderdate FROM orders LIMIT 5;
    1. -------------
    2. 1996-04-14
    3. 1992-01-15
    4. 1995-02-01
    5. 1995-11-12
    6. 1992-04-26
    7. (5 rows)

    LIMIT ALL is the same as omitting the LIMIT clause.

    If the OFFSET clause is present, the LIMIT clause is evaluated after the OFFSET clause:

    1. SELECT * FROM (VALUES 5, 2, 4, 1, 3) t(x) ORDER BY x OFFSET 2 LIMIT 2;
    1. ---
    2. 3
    3. 4
    4. (2 rows)

    TABLESAMPLE

    There are multiple sample methods:

    BERNOULLI

    The probability of a row being included in the result is independent from any other row. This does not reduce the time required to read the sampled table from disk. It may have an impact on the total query time if the sampled output is processed further.

    SYSTEM

    This sampling method divides the table into logical segments of data and samples the table at this granularity. This sampling method either selects all the rows from a particular segment of data or skips it (based on a comparison between the sample percentage and a random value calculated at runtime).

    The rows selected in a system sampling will be dependent on which connector is used. For example, when used with Hive, it is dependent on how the data is laid out on HDFS. This method does not guarantee independent sampling probabilities.

    Note

    Neither of the two methods allow deterministic bounds on the number of rows returned.

    Examples:

    1. SELECT *
    2. FROM users TABLESAMPLE BERNOULLI (50);
    3. SELECT *
    4. FROM users TABLESAMPLE SYSTEM (75);

    Using sampling with joins:

    1. SELECT o.*, i.*
    2. FROM orders o TABLESAMPLE SYSTEM (10)
    3. JOIN lineitem i TABLESAMPLE BERNOULLI (40)
    4. ON o.orderkey = i.orderkey;

    UNNEST

    UNNEST can be used to expand an ARRAY or into a relation. Arrays are expanded into a single column, and maps are expanded into two columns (key, value). UNNEST can also be used with multiple arguments, in which case they are expanded into multiple columns, with as many rows as the highest cardinality argument (the other columns are padded with nulls). UNNEST can optionally have a WITH ORDINALITY clause, in which case an additional ordinality column is added to the end. UNNEST is normally used with a JOIN and can reference columns from relations on the left side of the join.

    Using a single array column:

    1. SELECT student, score
    2. FROM tests
    3. CROSS JOIN UNNEST(scores) AS t (score);

    Using multiple array columns:

    1. SELECT numbers, animals, n, a
    2. FROM (
    3. VALUES
    4. (ARRAY[2, 5], ARRAY['dog', 'cat', 'bird']),
    5. (ARRAY[7, 8, 9], ARRAY['cow', 'pig'])
    6. ) AS x (numbers, animals)
    7. CROSS JOIN UNNEST(numbers, animals) AS t (n, a);
    1. numbers | animals | n | a
    2. -----------+------------------+------+------
    3. [2, 5] | [dog, cat, bird] | 2 | dog
    4. [2, 5] | [dog, cat, bird] | 5 | cat
    5. [2, 5] | [dog, cat, bird] | NULL | bird
    6. [7, 8, 9] | [cow, pig] | 7 | cow
    7. [7, 8, 9] | [cow, pig] | 8 | pig
    8. [7, 8, 9] | [cow, pig] | 9 | NULL
    9. (6 rows)

    WITH ORDINALITY clause:

    1. SELECT numbers, n, a
    2. FROM (
    3. VALUES
    4. (ARRAY[2, 5]),
    5. (ARRAY[7, 8, 9])
    6. ) AS x (numbers)
    7. CROSS JOIN UNNEST(numbers) WITH ORDINALITY AS t (n, a);
    1. numbers | n | a
    2. -----------+---+---
    3. [2, 5] | 2 | 1
    4. [2, 5] | 5 | 2
    5. [7, 8, 9] | 7 | 1
    6. [7, 8, 9] | 8 | 2
    7. [7, 8, 9] | 9 | 3
    8. (5 rows)

    Using a single map column:

    1. SELECT
    2. animals, a, n
    3. FROM (
    4. VALUES
    5. (MAP(ARRAY['dog', 'cat', 'bird'], ARRAY[1, 2, 0])),
    6. (MAP(ARRAY['dog', 'cat'], ARRAY[4, 5]))
    7. ) AS x (animals)
    8. CROSS JOIN UNNEST(animals) AS t (a, n);
    1. animals | a | n
    2. ----------------------------+------+---
    3. {"cat":2,"bird":0,"dog":1} | dog | 1
    4. {"cat":2,"bird":0,"dog":1} | cat | 2
    5. {"cat":2,"bird":0,"dog":1} | bird | 0
    6. {"cat":5,"dog":4} | dog | 4
    7. {"cat":5,"dog":4} | cat | 5
    8. (5 rows)

    Joins

    Joins allow you to combine data from multiple relations.

    A cross join returns the Cartesian product (all combinations) of two relations. Cross joins can either be specified using the explit CROSS JOIN syntax or by specifying multiple relations in the FROM clause.

    Both of the following queries are equivalent:

    1. SELECT *
    2. FROM nation
    3. CROSS JOIN region;
    4. SELECT *
    5. FROM nation, region;

    The nation table contains 25 rows and the region table contains 5 rows, so a cross join between the two tables produces 125 rows:

    1. SELECT n.name AS nation, r.name AS region
    2. FROM nation AS n
    3. CROSS JOIN region AS r
    4. ORDER BY 1, 2;
    1. nation | region
    2. ----------------+-------------
    3. ALGERIA | AFRICA
    4. ALGERIA | AMERICA
    5. ALGERIA | ASIA
    6. ALGERIA | EUROPE
    7. ALGERIA | MIDDLE EAST
    8. ARGENTINA | AFRICA
    9. ARGENTINA | AMERICA
    10. ...
    11. (125 rows)

    Qualifying Column Names

    When two relations in a join have columns with the same name, the column references must be qualified using the relation alias (if the relation has an alias), or with the relation name:

    1. SELECT nation.name, region.name
    2. FROM nation
    3. CROSS JOIN region;
    4. SELECT n.name, r.name
    5. FROM nation AS n
    6. CROSS JOIN region AS r;
    7. SELECT n.name, r.name
    8. FROM nation n
    9. CROSS JOIN region r;

    The following query will fail with the error Column 'name' is ambiguous:

    1. SELECT name
    2. FROM nation
    3. CROSS JOIN region;

    The USING clause allows you to write shorter queries when both tables you are joining have the same name for the join key.

    For example:

    1. SELECT *
    2. FROM table_1
    3. JOIN table_2
    4. ON table_1.key_A = table_2.key_A AND table_1.key_B = table_2.key_B

    can be rewritten to:

    1. SELECT *
    2. FROM table_1
    3. JOIN table_2
    4. USING (key_A, key_B)

    The output of doing JOIN with USING will be one copy of the join key columns (key_A and key_B in the example above) followed by the remaining columns in table_1 and then the remaining columns in table_2. Note that the join keys are not included in the list of columns from the origin tables for the purpose of referencing them in the query. You cannot access them with a table prefix and if you run SELECT table_1.*, table_2.*, the join columns are not included in the output.

    The following two queries are equivalent:

    1. SELECT *
    2. FROM (
    3. VALUES
    4. (1, 3, 10),
    5. (2, 4, 20)
    6. ) AS table_1 (key_A, key_B, y1)
    7. LEFT JOIN (
    8. VALUES
    9. (1, 3, 100),
    10. (2, 4, 200)
    11. ) AS table_2 (key_A, key_B, y2)
    12. USING (key_A, key_B)
    13. -----------------------------
    14. SELECT key_A, key_B, table_1.*, table_2.*
    15. FROM (
    16. VALUES
    17. (1, 3, 10),
    18. (2, 4, 20)
    19. ) AS table_1 (key_A, key_B, y1)
    20. LEFT JOIN (
    21. VALUES
    22. (1, 3, 100),
    23. (2, 4, 200)
    24. ) AS table_2 (key_A, key_B, y2)
    25. USING (key_A, key_B)

    And produce the output:

    1. key_A | key_B | y1 | y2
    2. -------+-------+----+-----
    3. 1 | 3 | 10 | 100
    4. 2 | 4 | 20 | 200
    5. (2 rows)

    A subquery is an expression which is composed of a query. The subquery is correlated when it refers to columns outside of the subquery. Logically, the subquery will be evaluated for each row in the surrounding query. The referenced columns will thus be constant during any single evaluation of the subquery.

    Note

    Support for correlated subqueries is limited. Not every standard form is supported.

    EXISTS

    The EXISTS predicate determines if a subquery returns any rows:

    1. SELECT name
    2. FROM nation
    3. WHERE EXISTS (SELECT * FROM region WHERE region.regionkey = nation.regionkey)

    The IN predicate determines if any values produced by the subquery are equal to the provided expression. The result of IN follows the standard rules for nulls. The subquery must produce exactly one column:

    Scalar Subquery

    A scalar subquery is a non-correlated subquery that returns zero or one row. It is an error for the subquery to produce more than one row. The returned value is NULL if the subquery produces no rows:

    1. SELECT name
    2. WHERE regionkey = (SELECT max(regionkey) FROM region)

    Currently only single column can be returned from the scalar subquery.