我有两张桌子,我需要加入Select,我遇到了问题。 表格如下: table_price
Product_ID | Buy_date | Buy_price |
1 | 16.10.01 | 2.50 |
1 | 16.11.02 | 3.20 |
2 | 16.10.31 | 3.80 |
table expire_date
Product_ID | Count | Exp_date |
1 | 1000 | 17.10.01|
1 | 500 | 17.11.31|
2 | 500 | 17.11.01|
我需要在Oracle PL / SQL中编写一个select,它会给我以下结果:
Product_ID| Count | Exp_date| last_buy_price|
1 | 1000 | 17.10.01| 3.20 |
1 | 500 | 17.31.31| 3.20 |
2 | 500 | 17.11.01| 3.80 |
这意味着它会给我每个到期日期与表expire_date中的产品数量,并将其与table_price的最后购买价格与product_id匹配(始终以最后购买价格,按列buy_date排序) 请大家帮助我,我已经尝试了很多代码,但仍然无法获得满意的结果
答案 0 :(得分:2)
使用keep
的相关子查询可能是性能最高的方法:
select ed.*,
(select max(p.buy_price) keep (dense_rank first order by p.buy_date desc)
from table_price p
where p.product_id = ed.product_id
) as last_buy_price
from expire_date ed;
当然,您也可以在from
条款中表达这一点:
select ed.*, p.last_buy_price
from expire_date ed left join
(select p.product_id,
max(p.buy_price) keep (dense_rank first order by p.buy_date desc) as last_buy_price
from table_price p
) p
on p.product_id = ed.product_id;
答案 1 :(得分:2)
您可以使用ROW_NUMBER()
:
SELECT ed.*,
tp.buy_price as last_buy_price
FROM expire_date ed
JOIN(SELECT s.*,
ROW_NUMBER() OVER(PARTITION BY s.product_id ORDER BY s.buy_date DESC) as rnk
FROM table_price s) tp
ON(ed.product_id = tp.product_id and tp.rnk = 1 )