小编典典

连接两个表,仅使用右表的最新值

sql

我正在尝试联接2个表,但仅与一组记录中的最新记录联接。

左表:

部分

  • Part.PartNum

右表:

材料

  • Material.Partnum
  • Material.Formula
  • Material.RevisionNum

版本号从“ A”开始并增加。

我想加入PartNum的2个表,但只合并右边表中的最新记录。我已经看到了关于SO的其他示例,但是很难将它们放在一起。

编辑:

我发现第一个修订版本号是“ New”,然后它递增A,B,…它永远不会超过一个或两个修订版本,因此我不必担心遍历该序列。但是,如何选择以“
New”作为第一个修订版号的最新版本?


阅读 147

收藏
2021-04-28

共1个答案

小编典典

可以运行此命令的常规SQL语句为:

select P.PartNum, M.Formula, M.RevisionNum
from Parts P
join Material M on P.PartNum = M.PartNum
where M.RevisionNum = (select max(M2.RevisionNum) from Material M2
                       where M2.PartNum = P.PartNum);

重复以上有关第26版修订之后的注意事项。max(RevisionNum)可能会中断,具体取决于#26之后发生的情况。


编辑:

如果RevisionNum序列总是从w / NEW开始,然后以A,B,C等继续,那么就需要用更复杂(又杂乱)的东西替换max():

select P.PartNum, M.RevisionNum
from Parts P
join Material M on P.PartNum = M.PartNum
where (
      (select count(*) from Material M2 
              where M2.PartNum = P.PartNum) > 1
      and M.RevisionNum = (select max(M3.RevisionNum) from Material M3
                   where M3.PartNum = P.PartNum and M3.RevisionNum <> 'NEW')
      )
      or ( 
      (select count(*) from Material M4
              where M4.PartNum = P.PartNum) = 1
       and M.RevisionNum = 'NEW'
      )

必须有更好的方法来做到这一点。尽管这行得通-必须考虑一个更快的解决方案。

SQL小提琴:http
://sqlfiddle.com/#!3/70c19/3

2021-04-28