8

这是我的 sql server 表

ID       Date       Value 
___      ____       _____
3241     9/17/12    5
3241     9/16/12    100
3241     9/15/12    20
4355     9/16/12    12
4355     9/15/12    132
4355     9/14/12    4
1234     9/16/12    45
2236     9/15/12    128
2236     9/14/12    323
2002     9/17/12    45

这似乎应该很容易做到,但我不知道为什么我被卡住了。我只想为每个 id 选择 max(date) 和该 max(date) 处的值。我想忽略所有其他不是每个 id 的 max(date) 的日期。

这是我希望表格看起来的样子:

ID       Date       Value 
___      ____       _____
3241     9/17/12    5
4355     9/16/12    12
1234     9/16/12    45
2236     9/15/12    128
2002     9/17/12    45

我尝试使用 max(date) 进行分组,但它没有对任何内容进行分组。我不确定我做错了什么。在此先感谢您的帮助!

4

4 回答 4

17

您可以使用以下内容:

select t1.id, t2.mxdate, t1.value
from yourtable t1
inner join
(
  select max(date) mxdate, id
  from yourtable
  group by id
) t2
  on t1.id = t2.id
  and t1.date = t2.mxdate

演示

于 2012-09-17T17:58:11.423 回答
2

这会给你你需要的东西:

SELECT 
    m.ID,
    m.Date,
    m.Value
FROM 
    myTable m
    JOIN (SELECT ID, max(Date) as Date FROM myTable GROUP BY ID) as a
    ON m.ID = a.ID and m.Date = a.Date
于 2012-09-17T17:58:37.320 回答
0

你还没有指定你的 SQL 实现,但是这样的事情应该可以工作:

请注意,操作并没有特别要求使用 max(),只是为了获取 id,在 max[imum] 日期的值。

TSQL:

select top 1 ID, Date, Value from yourtable order by Date DESC;

不是 TSQL,必须支持限制:(未测试。)

select ID, Date, Value from yourtable order by Date DESC limit 1,1;
于 2019-03-12T23:36:55.383 回答
0

我用它来避免加入语句

WITH table1 
AS (SELECT
  id,
  Date,
  Value,
  ROW_NUMBER() OVER (PARTITION BY id ORDER BY Date DESC) AS rn
FROM yourtable)
SELECT
  *
FROM table1
WHERE rn = 1
于 2021-06-25T17:20:22.740 回答