PostgreSQL – Calculating Average Value of JSONB Array

arrayintegerjsonpostgresqlstring

I have a column called "value" in my "answers" table.

|  value  |
|---------|
|  [1,2]  |
|   [1]   |
| [1,2,3] |

The type of "value" is "jsonb".

I want to get the average value of each array in each row:

SELECT avg(value) AS avg_value
FROM answers

But this doesn't work because avg() is not a jsonb function. I've tried:

SELECT avg(value::integer[]) as avg_value
FROM answers

i.e. tried to cast the jsonb arrays into integer arrays and then taking the avg, but I get the following error: "cannot cast type jsonb to integer[]. null".

Any ideas?

Best Answer

You need to unnest the JSON array with jsonb_array_elements.

You can do this in a correlated subquery:

SELECT
  (SELECT AVG(value::decimal(18,5))
   FROM jsonb_array_elements(value)
  ) AS avg_value
FROM answers;

DB Fiddle