Welcome to the Intermediate SQL Functions guide. This document aims to delve deeper into SQL, providing you with a comprehensive understanding of intermediate-level operations and techniques. You'll find enhanced examples that will help you refine your SQL skills.
- Joins
- Subqueries
- Indexes
- Views
- Complex WHERE Clauses
- Aggregate Functions
- Group By and Having Clauses
Combining data from multiple tables is essential in SQL. Here's how to use different types of joins to retrieve exactly what you need.
Fetches records that have matching values in both tables.
SELECT orders.order_id, customers.customer_name
FROM orders
INNER JOIN customers ON orders.customer_id = customers.customer_id;
Returns all records from the left table, and the matched records from the right table.
SELECT customers.customer_name, orders.order_id
FROM customers
LEFT JOIN orders ON customers.customer_id = orders.customer_id;
Returns all records from the right table, and the matched records from the left table.
SELECT employees.employee_name, payroll.payroll_id
FROM employees
RIGHT JOIN payroll ON employees.employee_id = payroll.employee_id;
Selects all records when there is a match in either left or right table.
SELECT suppliers.supplier_name, orders.order_id
FROM suppliers
FULL OUTER JOIN orders ON suppliers.supplier_id = orders.supplier_id;
Subqueries allow you to nest queries within other queries to perform complex operations.
SELECT employee_name
FROM employees
WHERE employee_id IN (SELECT employee_id FROM payroll WHERE salary > 50000);
Creating indexes on tables can significantly improve query performance.
CREATE INDEX idx_employee_name
ON employees (employee_name);
Views are virtual tables that result from a query and can simplify complex queries.
CREATE VIEW view_customer_orders AS
SELECT customers.customer_name, COUNT(orders.order_id) AS number_of_orders
FROM customers
JOIN orders ON customers.customer_id = orders.customer_id
GROUP BY customers.customer_name;
Utilize operators and conditions to filter data effectively.
SELECT * FROM products
WHERE (price BETWEEN 10 AND 20) AND NOT category_id IN (3, 4, 5);
Aggregate functions perform a calculation on a set of values and return a single value.
SELECT COUNT(customer_id), country
FROM customers
GROUP BY country;
These clauses are used to group rows that have the same values in specified columns and to filter groups by certain conditions.
SELECT department, SUM(salary) AS total_salary
FROM employees
GROUP BY department
HAVING SUM(salary) > 100000;
Mastering these intermediate SQL functions will enhance your ability to work with complex data sets and perform sophisticated data analysis. Practice these examples and explore beyond to become proficient in SQL.