SQL query to get DateDiff of the last two records

笑着哭i 提交于 2019-12-10 15:22:09

问题


I have a table called Event with eventNum as the primary key and date as a datetime2(7) in SQL Server 2008 R2. I am trying to get the date of the last two rows in the table and get the difference in minutes. This is what I currently have:

Select DATEDIFF(MI, e.date,(Select e2.date from Event e2 where eventNum = (Select MAX(e2.eventNum))))
    From Event e
    Where eventNum = (Select MAX(e.eventNum)-1 from e)

and I get this error:

Invalid column name 'Select eventNum from Event Where eventNum = Select MAX(eventNum) from Event'.

I've changed this 100 times and can't get it to work. Any help?


回答1:


You could use ROW_NUMBER

WITH CTE AS 
(
   SELECT RN = ROW_NUMBER() OVER (ORDER BY eventNum DESC)
        , date
   FROM Event 
)
SELECT Minutes = DATEDIFF(minute, 
           (SELECT date FROM CTE WHERE RN = 2),
           (SELECT date FROM CTE WHERE RN = 1))

Fiddle: http://www.sqlfiddle.com/#!3/3e9c8/17/0




回答2:


This doesn't have to go through the table twice like Tim's answer.

select datediff(mi, min(x.date), max(x.date))
from (
    select top(2) *
    from Event e
    order by eventNum desc
) x

Assuming you always have 2 records or more, and the time is monotonously increasing, then the above works.

  • If it has only one record, it returns 0 (since max=min=singular record).
  • If your times are not monotonously increasing, there's a simple tweak to this query

e.g.

select top(1) datediff(mi, x.date, y.date)
from event x
join event y on y.eventnum < x.eventnum
order by x.eventnum desc, y.eventnum desc


来源:https://stackoverflow.com/questions/13185869/sql-query-to-get-datediff-of-the-last-two-records

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!