SQL Views are virtual tables that provide a way to present data from one or more tables in a simplified manner. By using views, you can encapsulate complex queries and make it easier for users to access specific data without needing to understand the underlying table structure. This can improve security by restricting access to sensitive data while still providing necessary information. Here are three practical examples of creating SQL views:
In a retail database, you want to analyze sales data and present it in a more manageable way. This view will aggregate sales totals by product category for easier reporting.
CREATE VIEW SalesByCategory AS
SELECT
Category,
SUM(TotalSales) AS TotalSales
FROM
Sales
GROUP BY
Category;
This SQL statement creates a view named SalesByCategory
that summarizes total sales by product category. You can then query this view just like a regular table:
SELECT * FROM SalesByCategory;
GROUP BY
clause to include additional fields if needed.Suppose you have two tables: Customers
and Orders
. You want a consolidated view that combines customer information with their order details for reporting purposes.
CREATE VIEW CustomerOrderDetails AS
SELECT
c.CustomerID,
c.FirstName,
c.LastName,
o.OrderID,
o.OrderDate,
o.TotalAmount
FROM
Customers c
JOIN
Orders o ON c.CustomerID = o.CustomerID;
This view, CustomerOrderDetails
, provides a comprehensive view of customers and their corresponding orders. You can query this view to get detailed reports:
SELECT * FROM CustomerOrderDetails WHERE TotalAmount > 100;
In a human resources database, you want to create a view that shows only employees with salaries above a certain threshold, along with their department information.
CREATE VIEW HighEarners AS
SELECT
e.EmployeeID,
e.FirstName,
e.LastName,
e.Salary,
d.DepartmentName
FROM
Employees e
JOIN
Departments d ON e.DepartmentID = d.DepartmentID
WHERE
e.Salary > 80000;
The HighEarners
view provides a filtered list of employees earning above $80,000 along with their department. You can run queries to analyze this data:
SELECT * FROM HighEarners ORDER BY Salary DESC;
WHERE
clause as needed.