The GROUP BY clause in SQL is used to group rows with the same values in one or more columns into summary rows. It is often used in conjunction with aggregate functions like SUM, COUNT, AVG, and MAX to perform calculations on grouped data. Here are real-time examples and detailed explanations of how to use the GROUP BY clause:

Example 1: Grouping Data by a Single Column

Suppose you have a table called orders with the following columns: order_id, customer_id, order_date, and order_total. You want to find the total order amount for each customer.

sqlCopy code
SELECT customer_id, SUM(order_total) as total_amount
FROM orders
GROUP BY customer_id;

Example 2: Grouping Data by Multiple Columns

Suppose you have a table called sales with columns: product_id, category_id, sale_date, and quantity_sold. You want to find the total quantity sold for each product in each category.

sqlCopy code
SELECT category_id, product_id, SUM(quantity_sold) as total_quantity_sold
FROM sales
GROUP BY category_id, product_id;

Example 3: Grouping Data and Filtering with HAVING

Suppose you have a table called employees with columns: department_id, employee_id, employee_name, and salary. You want to find the average salary of employees in each department but only include departments with an average salary greater than 50000.

sqlCopy code
SELECT department_id, AVG(salary) as avg_salary
FROM employees
GROUP BY department_id
HAVING AVG(salary) > 50000;

Example 4: Grouping with Date Functions