The SQL ORDER BY
clause is an essential component of database queries, allowing users to sort the results returned by a query in a specific order. This functionality is crucial for organizing data, making it easier to analyze and interpret. Below are three diverse examples that demonstrate how to use the ORDER BY
clause in various contexts.
In a corporate database, you might want to retrieve a list of employees sorted by their salary to identify the highest-paid employees.
SELECT employee_id, first_name, last_name, salary
FROM employees
ORDER BY salary DESC;
The query above selects employee IDs, first names, last names, and salaries from the employees
table. It then sorts the results in descending order based on the salary
column. This allows the highest salaries to appear first in the list, providing quick insight into compensation distribution within the company.
ASC
for ascending order (default) and DESC
for descending.ORDER BY department_id, salary DESC
.In an e-commerce database, you may wish to display products sorted first by category and then by price within each category to facilitate customer browsing.
SELECT product_name, category_id, price
FROM products
ORDER BY category_id, price ASC;
In this example, the query retrieves the product name, category ID, and price from the products
table. The results are sorted primarily by category_id
and secondarily by price
in ascending order. This structure helps customers easily compare prices within each product category.
In a sales database, you may want to examine customer orders, sorted chronologically to analyze purchasing trends over time.
SELECT order_id, customer_id, order_date, total_amount
FROM orders
ORDER BY order_date ASC;
The query fetches the order ID, customer ID, order date, and total amount from the orders
table and sorts the results by order_date
in ascending order. This enables users to view orders from the oldest to the newest, facilitating trend analysis over time.