array_agg group by and null

只谈情不闲聊 提交于 2019-12-31 03:11:31

问题


Given this table:

SELECT * FROM CommodityPricing order by dateField

"SILVER";60.45;"2002-01-01"
"GOLD";130.45;"2002-01-01"
"COPPER";96.45;"2002-01-01"
"SILVER";70.45;"2003-01-01"
"GOLD";140.45;"2003-01-01"
"COPPER";99.45;"2003-01-01"
"GOLD";150.45;"2004-01-01"
"MERCURY";60;"2004-01-01"
"SILVER";80.45;"2004-01-01"

As of 2004, COPPER was dropped and mercury introduced.
How can I get the value of (array_agg(value order by date desc) ) [1] as NULL for COPPER?

select commodity,(array_agg(value order by date desc) ) --[1]
from CommodityPricing
group by commodity

"COPPER";"{99.45,96.45}"
"GOLD";"{150.45,140.45,130.45}"
"MERCURY";"{60}"
"SILVER";"{80.45,70.45,60.45}"

回答1:


SQL Fiddle

select
    commodity,
    array_agg(
        case when commodity = 'COPPER' then null else price end
        order by date desc
    )
from CommodityPricing
group by commodity
;



回答2:


To "pad" missing rows with NULL values in the resulting array, build your query on full grid of rows and LEFT JOIN actual values to the grid.
Given this table definition:

CREATE TEMP TABLE price (
    commodity text
  , value     numeric
  , ts        timestamp  -- using ts instead of the inappropriate name date 
);

I use generate_series() to get a list of timestamps representing the years and CROSS JOIN to a unique list of all commodities (SELECT DISTINCT ...).

SELECT commodity, (array_agg(value ORDER BY ts DESC)) AS years
FROM   generate_series ('2002-01-01 00:00:00'::timestamp
                      , '2004-01-01 00:00:00'::timestamp
                      , '1y') t(ts)
CROSS  JOIN (SELECT DISTINCT commodity FROM price) c(commodity)
LEFT   JOIN price p USING (ts, commodity)
GROUP  BY commodity;

Result:

COPPER  {NULL,99.45,96.45}
GOLD    {150.45,140.45,130.45}
MERCURY {60,NULL,NULL}
SILVER  {80.45,70.45,60.45}

SQL Fiddle.
I cast the array to text in the fiddle, because the display sucks and would swallow NULL values otherwise.



来源:https://stackoverflow.com/questions/22443882/array-agg-group-by-and-null

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!