Postgresql Avg Function

PostgreSQL: avg Function

In this PostgreSQL post explains how to use the PostgreSQL avg function with syntax and examples.

Description

The PostgreSQL avg function returns the average value of an expression.

Syntax

The syntax for the avg function in PostgreSQL is:

SELECT avg(aggregate_expression)
FROM tables
[WHERE conditions];

OR the syntax for the avg function when grouping the results by one or more columns is:

SELECT expression1, expression2, ... expression_n,
       avg(aggregate_expression)
FROM tables
[WHERE conditions]
GROUP BY expression1, expression2, ... expression_n;

Parameters or Arguments

expression1, expression2, ... expression_n

Expressions that are not encapsulated within the avg function and must be included in the GROUP BY clause at the end of the SQL statement.

aggregate_expression

This is the column or expression that will be averaged.

tables

The tables that you wish to retrieve records from. There must be at least one table listed in the FROM clause.

WHERE conditions

Optional. These are conditions that must be met for the records to be selected.

Applies To

The avg function can be used in the following versions of PostgreSQL:

  • PostgreSQL 9.4, PostgreSQL 9.3, PostgreSQL 9.2, PostgreSQL 9.1, PostgreSQL 9.0, PostgreSQL 8.4

Example - With Single Expression

Let's look at some PostgreSQL avg function examples and explore how to use the avg function in PostgreSQL.

For example, you might wish to know how the average quantity in inventory.

SELECT avg(quantity) AS "Average Quantity"
FROM inventory;

In this avg function example, we've aliased the avg(quantity) expression as "Average Quantity". As a result, "Average Quantity" will display as the field name when the result set is returned.

Example - Using DISTINCT

You can use the DISTINCT clause within the avg function. For example, the SQL statement below returns the average quantity of unique quantity values where the product_type is 'Hardware'.

SELECT avg(DISTINCT quantity) AS "Average Quantity"
FROM inventory
WHERE product_type = 'Hardware';

If there were two quantities of 25, only one of these values would be used in the avg function.

Example - Using Formula

The expression contained within the avg function does not need to be a single field. You could also use a formula. For example, you might want the average commission.

SELECT avg(sales * 0.10) AS "Average Commission"
FROM orders;

Example - Using GROUP BY

You could also use the avg function to return the department and the average quantity (in the associated department). For example,

SELECT department, avg(quantity) AS "Average Quantity"
FROM inventory
GROUP BY department;

Because you have listed one column in your SELECT statement that is not encapsulated in the avg function, you must use a GROUP BY clause. The department field must, therefore, be listed in the GROUP BY section.