我在下面创建了查询:
select * from store str
left join(
select * from schedule sdl
where day = 3
order by
case when sdl.store_id is null then (
case when sdl.strong is true then 0 else 2 end
) else 1 end, sdl.schedule_id desc
) ovr on (ovr.store_id = str.store_id OR ovr.store_id IS NULL)
示例数据:
STORE
[store_id] [title]
20010 Shoes-Shop
20330 Candy-Shop
[SCHEDULE]
[schedule_id] [store_id] [day] [strong] [some_other_data]
1 20330 3 f 10% Discount
2 NULL 3 t 0% Discount
我想从LEFT JOIN
得到的是NULL store_id的数据(全局计划条目 - 影响所有商店条目)或给定store_id的实际数据。
像这样加入查询,返回正确顺序的结果,但是对于NULL和store_id匹配。使用join子句的OR语句是有意义的。
预期结果:
[store_id] [title] [some_other_data]
20010 Shoes-Shop 0% Discount
20330 Candy-Shop 0% Discount
当前结果:
[store_id] [title] [some_other_data]
20010 Shoes-Shop 0% Discount
20330 Candy-Shop 0% Discount
20330 Candy-Shop 10% Discount
如果对这个问题采取更优雅的方法,我很乐意遵循它。
答案 0 :(得分:1)
我认为最简单的方法就是使用distinct on
。问题是你如何订购它:
select distinct on (str.store_id) *
from store str left join
schedule sdl
on (sdl.store_id = str.store_id or sdl.store_id is null) and dl.day = 3
order by str.store_id,
(case when sdl.store_id is null then 2 else 1 end)
这将返回store
记录(如果可用),否则返回schedule
记录,其值为NULL
。注意:您的查询的概念为strength
,但问题并未解释如何使用它。这可以很容易地修改,以包括多个级别的优先级。
答案 1 :(得分:0)
DISTINCT ON
正确, ORDER BY
就可以正常工作。基本上,与strong = TRUE
中schedule
的匹配具有优先权,然后与store_id IS NOT NULL
匹配:
SELECT DISTINCT ON (st.store_id)
st.store_id, st.title, sl.some_other_data
FROM store st
LEFT JOIN schedule sl ON sl.day = 3
AND (sl.store_id = st.store_id OR sl.store_id IS NULL)
ORDER BY NOT strong, store_id IS NULL;
这是因为:
DISTINCT ON
的基础知识:
替代LATERAL
加入(Postgres 9.3 +):
SELECT *
FROM store st
LEFT JOIN LATERAL (
SELECT some_other_data
FROM schedule
WHERE day = 3
AND (store_id = st.store_id OR store_id IS NULL)
ORDER BY NOT strong
, store_id IS NULL
LIMIT 1
) sl ON true;
关于LATERAL
加入: