Lessons
SQL Constraints
SQL Data Handling
SQL SELECT and WHERE
Aggregate Functions
Nested Queries
Conclusion
SQL AVG()
SQL AVG() Function
The AVG()
function in SQL calculates the average value of a numeric column. This function is commonly used in data analysis to find the mean of a dataset, such as average sales, grades, or prices. NULL
values in the column are ignored during the calculation.
Syntax
1 2 3
SELECT AVG(column_name) FROM table_name WHERE condition;
Key Components:
AVG(column_name)
: Calculates the average value of the specified column.FROM table_name
: Specifies the table where the column is located.WHERE condition
: (Optional) Filters rows to include only those that meet the condition.
Examples of SQL AVG() Function
Calculate the Average Age of Students
To find the average age of students in a Students
table:
1 2
SELECT AVG(Age) AS AverageAge FROM Students;
Explanation: This query calculates the average of all values in the Age
column and renames the result column as AverageAge
using the AS
keyword.
Calculate the Average Grade for a Specific Course
To find the average grade for students enrolled in "Mathematics":
1 2 3
SELECT AVG(Grade) AS AverageGrade FROM Grades WHERE CourseName = 'Mathematics';
Explanation: This query filters rows where CourseName
is "Mathematics" and calculates the average Grade
for those rows.
Use AVG() with an Alias
You can give the result column a meaningful name using the AS
keyword.
1 2
SELECT AVG(Salary) AS AverageSalary FROM Employees;
Explanation: This query calculates the average salary from the Employees
table and renames the result column as AverageSalary
.
List Employees with Above-Average Salaries
To find all employees earning more than the average salary:
1 2 3
SELECT EmployeeID, Name, Salary FROM Employees WHERE Salary > (SELECT AVG(Salary) FROM Employees);
Explanation: This query uses a subquery to calculate the average salary and then retrieves employees whose salary is greater than that average.
Best Practices for Using AVG()
- Handle NULL Values: Ensure that
NULL
values in the column are expected to be ignored during the calculation. - Use Aliases for Clarity: Rename the result column using the
AS
keyword to improve readability. - Combine with Filters: Use
WHERE
clauses to restrict the dataset before applying theAVG()
function. - Group Data When Necessary: Combine with
GROUP BY
to calculate averages for specific groups. - Validate Data: Test queries with sample data to ensure accurate results.
Key Takeaways
- Purpose: The
AVG()
function calculates the mean of numeric data in a column. - NULL Handling: Ignores
NULL
values during calculations. - Filtering: Use
WHERE
to calculate averages for specific conditions. - Grouping: Use
GROUP BY
to calculate averages for different categories or groups. - Use Cases: Analyze average sales, scores, salaries, or any other numeric data.