如果您将最终结果基于sales
,这应该会给您结果:
select distinct x1.product,
x1.type,
x2.totalsales,
case when x1.sales > 0 then y.inventory else 0 end
from x x1
left join
(
select product,
type,
sum(sales) as TotalSales
from x
group by Product, Type
) x2
on x1.product = x2.product
and x1.type = x2.type
left join y
On Y.Product = x1.Product
请参阅带有演示的 SQL Fiddle
考虑到它的总销售额大于零,我不确定为什么在示例结果中将inventory
for列为零。b
编辑#1:
根据您的评论,我建议查看使用row_number()
:
select product,
type,
totalsales,
case when rn = 1 then inventory else 0 end inventory
from
(
select x.product,
x.type,
sum(sales) TotalSales,
row_number() over(partition by x.product order by x.type) rn,
y.inventory
from x
inner join y
on x.product = y.product
group by x.product, x.type, y.inventory
) src
请参阅带有演示的 SQL Fiddle
或者,如果您不能按分组inventory
,则在子查询之外加入:
select src.product,
src.type,
src.totalsales,
case when rn = 1 then inventory else 0 end inventory
from
(
select x.product,
x.type,
sum(sales) TotalSales,
row_number() over(partition by x.product order by x.type) rn
from x
group by x.product, x.type
) src
inner join y
on src.product = y.product
请参阅带有演示的 SQL Fiddle