连接两个表而不丢失相关值

o4hqfura  于 2021-06-20  发布在  Mysql
关注(0)|答案(1)|浏览(385)

我有两个表,代表客户产品及其竞争对手产品的数据库: tmp_match -from\u product\u id和to\u product\u id分别表示客户产品和竞争对手产品之间的匹配。 tmp_price_history -显示每个日期每个产品的价格。
我正在尝试编写一个查询,它将列出表中的所有日期 tmp_price_history . 对于每个日期,我想看到客户的产品价格与竞争对手的产品价格根据表中的产品匹配对 tmp_match ,无论是否存在客户产品或竞争对手产品的价格历史记录或两者:
如果两种价格都适用于特定日期-请在其列中列出它们
如果只有客户产品的记录-仅显示客户价格(并将竞争对手栏留空)。
如果只有竞争对手产品的记录,则在其栏中显示竞争对手的价格。
预期结果:

  1. date from_product_id to_product_id cust_price comp_price
  2. 1 1 11 99 95
  3. 2 1 11 98 94
  4. 1 1 12 92
  5. 2 1 12 91
  6. 2 2 108

我试图通过以下查询实现:

  1. select cust_hist.date, from_product_id, to_product_id, cust_hist.price as cust_price,comp_hist.price as comp_price
  2. from tmp_match as matches
  3. left join tmp_price_history cust_hist
  4. on cust_hist.product_id = matches.from_product_id
  5. left join tmp_price_history comp_hist
  6. on comp_hist.product_id = matches.to_product_id
  7. ;

但是它并没有达到我的目标,正如在这个sql代码片段中所看到的那样。

gr8qqesn

gr8qqesn1#

我想你在找这个:

  1. select distinct *
  2. from (SELECT date,
  3. if(group_concat(distinct cust_price), from_product_id, null)as from_product_id,
  4. if(group_concat(distinct comp_price), to_product_id, null) as to_product_id,
  5. group_concat(distinct cust_price) as cust_price,
  6. group_concat(distinct comp_price) as comp_price
  7. FROM (select cust_hist.date,matches.from_product_id,
  8. matches.to_product_id,cust_hist.price cust_price,
  9. comp_hist.price comp_price
  10. from tmp_match matches
  11. inner join tmp_price_history cust_hist on matches.from_product_id = cust_hist.product_id
  12. inner join tmp_price_history comp_hist on matches.to_product_id = comp_hist.product_id
  13. WHERE comp_hist.date = cust_hist.date
  14. union
  15. select comp_hist.date,matches.from_product_id,
  16. matches.to_product_id,null as cust_price,
  17. comp_hist.price comp_price
  18. from tmp_price_history comp_hist
  19. join tmp_match matches
  20. on matches.to_product_id = comp_hist.product_id # and matches.from_product_id is null
  21. union
  22. select cust_hist.date,matches.from_product_id,
  23. matches.to_product_id,
  24. cust_hist.price cust_price,
  25. null comp_price
  26. from tmp_price_history cust_hist
  27. join tmp_match matches
  28. on matches.from_product_id = cust_hist.product_id # and matches.to_product_id is null
  29. order by DATE, from_product_id, to_product_id, cust_price, comp_price) as u
  30. group by date,from_product_id,to_product_id) g

你的SQL片段太好了!

展开查看全部

相关问题