示例数据:
product_type |segment_type |promotion_id |promotion_value
-----------------------------------------------------------
Beer |Regional |1 |20
Beer |National |1 |20
Beer |Regional |2 |20
Beer |National |2 |20
Beer |National |3 |30
Beer |Regional |4 |40
Soda |Regional |5 |50
Soda |National |5 |50
Soda |Regional |6 |50
Soda |National |6 |50
Soda |National |7 |15
Soda |Regional |8 |20
目标:考虑不同的促销活动,获取按product_type和segment_type(多维数据集)分组的总促销价值。请注意,单个促销可以到达一个或两个细分(区域和国家)。
期望的结果:
product_type |segment_type |promotion_value
-------------------------------------------------
Beer | |110
Beer |Regional |80
Beer |National |70
Soda | |135
Soda |Regional |120
Soda |National |115
我当前的SQL如下:
SELECT product_Type,
segment_type,
sum(promotion_value)promotion_value
from sample_data
group by product_type,
cube(segment_type)
目前的结果是:
product_type |segment_type |promotion_value
-------------------------------------------------
Beer | |150
Beer |Regional |80
Beer |National |70
Soda | |235
Soda |Regional |120
Soda |National |115
SQLFiddle:link
有没有办法达到预期的效果?
答案 0 :(得分:0)
使用Sum(Distinct..)
获取组中唯一值的总和
SELECT product_Type,
segment_type,
sum(distinct promotion_value)promotion_value
from sample_data
group by product_type,
cube(segment_type)
order by product_type
更新:
SELECT product_Type,
segment_type,
Sum(DISTINCT promotion_value)
FROM (SELECT product_Type,
segment_type,
Sum(promotion_value) promotion_value
FROM sample_data
GROUP BY product_type,
segment_type) a
GROUP BY product_type,
cube( segment_type )
答案 1 :(得分:0)
修改强>
我真的很喜欢你使用cube
的想法,之前从未使用过它,如果你正在处理一个合适的维度结构化表格,我认为这很酷。
不幸的是,这不是你的情况。 Cube将尝试生成可能的总计和小计,但要理解它不应该添加一些数据并不聪明。
似乎segment_type
和promotion_id
处于多对多关系中,这通常不是问题,但cube
扩展无法自动处理。
所以最后我认为最安全的解决方案是创建两个查询来正确聚合数据:
select product_Type,
segment_type,
sum(promotion_value) promotion_value
from sample_data
group by product_type,
segment_type
union all
select product_Type,
null,
sum(promotion_value) promotion_value
from (
select distinct product_Type,
promotion_id,
promotion_value
from sample_data
)
group by product_type
order by product_type
答案 2 :(得分:0)
选择product_type,''作为segment_type,sum(promotion_value)作为promotion_value 来自stack_sam 按product_type分组 联盟 选择product_type,segment_type,sum(promotion_value) 来自stack_sam 按product_type,segment_type分组 按1排序;