How do you use the HAVING clause in SQL?
Posted by FrankMl
Last Updated: June 21, 2024
The HAVING clause in SQL is used to filter records that work on aggregated data. It is typically used in conjunction with the GROUP BY clause to apply conditions to grouped records. While the WHERE clause filters rows before they are grouped, HAVING filters records after the aggregation has taken place.
Basic Syntax
SELECT column1, aggregate_function(column2)
FROM table_name
WHERE condition
GROUP BY column1
HAVING aggregate_condition;
Example
Let's say you have a table named sales with the following columns: - id (unique identifier) - product (the product sold) - amount (the sale amount) You want to find all products that have total sales amounting to more than $1,000. Here's how you could use the HAVING clause:
SELECT product, SUM(amount) AS total_sales
FROM sales
GROUP BY product
HAVING SUM(amount) > 1000;
Breakdown of the Query
1. SELECT: You are selecting the product name and the total sales (using the SUM function). 2. FROM: You specify the sales table. 3. GROUP BY: You group the results by the product column. 4. HAVING: After aggregating the total sales for each product, you filter out those products whose total sales do not exceed $1,000.
Use Cases for HAVING
- Filtering results after an aggregation (when you want to apply conditions based on sums, averages, counts, etc.). - For queries where you need to select groups of data based on aggregate functions.
Important Notes
- You can reference aggregated columns in the HAVING clause but not in the WHERE clause. - The HAVING clause is optional; you only need it if you are filtering based on aggregate results.
Combining WHERE and HAVING
In practice, you can use both the WHERE and HAVING clauses in the same query:
SELECT product, SUM(amount) AS total_sales
FROM sales
WHERE amount > 0  -- Filters before grouping
GROUP BY product
HAVING SUM(amount) > 1000;  -- Filters after grouping
In this example, only sales with positive amounts will be considered in the aggregation before applying the HAVING condition.