Curriculum
In this tutorial, you will learn how to use the SQL Server UNION
to combine the results of two or more queries into a single result set.
UNION
operatorSQL Server UNION
is one of the set operations that allow you to combine results of two SELECT
statements into a single result set which includes all the rows that belong to the SELECT
statements in the union.
The following illustrates the syntax of the SQL Server UNION
:
query_1 UNION query_2
The following are requirements for the queries in the syntax above:
UNION
vs. UNION ALL
By default, the UNION
operator removes all duplicate rows from the result sets. However, if you want to retain the duplicate rows, you need to specify the ALL
keyword is explicitly as shown below:
query_1 UNION ALL query_2
In other words, the UNION
operator removes the duplicate rows while the UNION ALL
operator includes the duplicate rows in the final result set.
UNION
vs. JOIN
The join such as INNER JOIN or
LEFT JOIN combines columns from two tables while the
UNION
combines rows from two queries.
In other words, join appends the result sets horizontally while union appends the result set vertically.
UNION
and UNION ALL
examplesThe following example combines names of staff and customers into a single list:
SELECT first_name, last_name FROM sales.staffs UNION SELECT first_name, last_name FROM sales.customers;
It returns 1,454 rows.
The staffs
table has 10 rows and the customers table has 1,445 rows as shown in the following queries:
SELECT COUNT (*) FROM sales.staffs; -- 10 SELECT COUNT (*) FROM sales.customers; -- 1454
Because the result set of the union returns only 1,454 rows, it means that one duplicate row was removed.
To include the duplicate row, you use the UNION ALL
as shown in the following query:
SELECT first_name, last_name FROM sales.staffs UNION ALL SELECT first_name, last_name FROM sales.customers;
The query returns 1,455 rows as expected.
UNION
and ORDER BY
exampleTo sort the result set returned by the UNION
operator, you place the ORDER BY clause in the last query as follows:
SELECT select_list FROM table_1 UNION SELECT select_list FROM table_2 ORDER BY order_list;
For example, to sort the first names and last names of customers and staff, you use the following query:
SELECT first_name, last_name FROM sales.staffs UNION ALL SELECT first_name, last_name FROM sales.customers ORDER BY first_name, last_name;