DML: SELECT DISTINCT

SELECT DISTINCT is a statement in SQL that returns only distinct (different) values. The DISTINCT keyword eliminates duplicate records from the results. This command is particularly useful when dealing with large datasets where duplicate entries can distort the analysis.

Syntax

The basic syntax for SELECT DISTINCT in SQL is:

SELECT DISTINCT column_name_1, column_name_2, ...
FROM table_name;
  • SELECT DISTINCT specifies the columns you want to retrieve.
  • FROM specifies the table from which to retrieve the data.

Here, column_name_1, column_name_2, ... are the names of the columns in the table from which you want to select data.

Examples

Consider the following table order.

order_idcustomeramount
1John30
2Jane45
3John20
4Jane30
5John30

Example 1: Selecting distinct customers

If you want to select all distinct customers from the order table, you will use the following SQL statement:

SELECT DISTINCT customer
FROM order;

This will return:

customer


John


Jane


Example 2: Selecting distinct amount values

If you want to select all distinct amounts from the order table, you will use the following SQL statement:

SELECT DISTINCT amount
FROM order;

This will return:

amount


30


45


20


Example 3: Selecting across multiple columns

The SELECT DISTINCT statement can also be used for two or more columns. Suppose you want to select all unique customer and amount combinations; you would use the following SQL statement:

SELECT DISTINCT customer, amount
FROM order;

This will return:

customeramount
John30
Jane45
John20
Jane30

Important Points

  • DISTINCT keyword can be used with more than one column. In this case, the DISTINCT keyword will eliminate those rows where all the selected fields are identical.
  • The DISTINCT keyword keeps one row for each group of duplicates.
  • The DISTINCT keyword will consider NULL as a unique value. Therefore, if you have multiple NULLs in your column, SELECT DISTINCT will only show one NULL.

Further Readings

  1. W3Schools SQL SELECT DISTINCT Statement
  2. SQL Server SELECT DISTINCT | Microsoft Docs
  3. Oracle / PLSQL: SELECT Statement
  4. PostgreSQL SELECT DISTINCT
Last updated on