SQL Server 2008 R2: Updating past dates to the 'next' date

pinkon5k  于 2023-06-21  发布在  SQL Server
关注(0)|答案(3)|浏览(194)

I'm using SQL Server 2008 R2. I have a table with lots of dates, some in the past, some in the future. What I would like to do would be to update them so the dates are the 'next' date, relative to today.

For example given the current date is '2014-02-09'

  1. Current Value Desired Value
  2. -------------------------------------------------
  3. '2010-01-06' '2015-01-06' (Updated to 2015)
  4. '2008-03-28' '2014-03-28' (Updated to 2014)

I'd need to account for dates on 29th of Feb, just to make this easier!

What is the best way to do this?

35g0bw71

35g0bw711#

You can determine who many years in the past the date is. Then add that number of years plus one to the date:

  1. update t
  2. set datecol = dateadd(year,
  3. datediff(year, datecol, getdate()) + 1,
  4. datecol)
  5. where datecol < getdate();
brqmpdu1

brqmpdu12#

This should work:

  1. Declare @CurrentDate datetime
  2. SET @CurrentDate = '2014-02-09'
  3. ;WITH NewDatesThisYear AS
  4. (
  5. SELECT [Date],
  6. NewDate = DateAdd(yy, YEAR(@CurrentDate)-1900,
  7. DateAdd(m, MONTH([Date]) - 1, DAY([Date]) - 1))
  8. FROM dbo.Dates
  9. )
  10. , NewDates AS
  11. (
  12. SELECT [Date],
  13. NewDate = CASE WHEN NewDate < @CurrentDate
  14. THEN DateAdd(yy, 1,NewDate)
  15. ELSE NewDate END
  16. FROM NewDatesThisYear
  17. )
  18. UPDATE NewDates SET [Date] = NewDate
  19. WHERE [Date] < @CurrentDate

Demo

展开查看全部
c8ib6hqw

c8ib6hqw3#

untested:

  1. CASE WHEN dateadd(yy, datecol, datediff(yy, datecol, getdate())) > getdate()
  2. THEN dateadd(yy, datecol, datediff(yy, datecol, getdate()))
  3. ELSE dateadd(yy, datecol, datediff(yy, datecol, getdate())+1)
  4. END

This would be so much easier if SQL Server supported a simple age calculation :-)

  1. dateadd(yy, datecol, age(datecol, getdate()) +1)

相关问题