DML: SELECT with ORDER BY

The SELECT statement in SQL is used to select data from a database. The data returned is stored in a result table, sometimes called the result set.

The ORDER BY keyword is used to sort the result-set in ascending or descending order according to some column(s).

Basic Syntax

SELECT column1, column2, ...
FROM table_name
ORDER BY column1, column2, ... ASC|DESC;
  • column1, column2, …: The fields that you want to select.
  • table_name: The name of the table.
  • column1, column2, …: The field(s) to sort by.
  • ASC|DESC: Ascending or descending order. Ascending is the default.

Example 1

Let’s start with a basic example:

Table “product”

product_idproduct_nameprice
1Apple1.00
2Banana0.50
3Cherry2.00
4Dates3.00

We can select all products and order them by price in descending order:

SELECT product_id, product_name, price
FROM product
ORDER BY price DESC;

The result-set will look like this:

product_idproduct_nameprice
4Dates3.00
3Cherry2.00
1Apple1.00
2Banana0.50

Example 2 - Order by More than One Column

You can also order by more than one column. The specified first column will sort the data, then by the next column.

Let’s add a new column, “category” to the table “product”:

Table “product”

product_idproduct_namecategoryprice
1AppleFruit1.00
2BananaFruit0.50
3CarrotVegetable0.80
4DatesFruit3.00
5EggplantVegetable1.50

Now, let’s select all products and order them by category in ascending order, and then by price in descending order:

SELECT product_id, product_name, category, price
FROM product
ORDER BY category ASC, price DESC;

The result set will look like this:

product_idproduct_namecategoryprice
4DatesFruit3.00
1AppleFruit1.00
2BananaFruit0.50
5EggplantVegetable1.50
3CarrotVegetable0.80
  1. SQL ORDER BY Keyword - W3Schools
  2. The SQL ORDER BY statement - SQL Tutorial
Last updated on