4

我需要将一组日期分类为“Cur”。年初至今','Lst。年初至今”或“其他”。YTD 基于 getdate()。我有一个用于测试的临时表,它有一个名为“calendar_date”的 DATETIME 类型的列。我想出了这个逻辑,它似乎有效。我只是想知道从性能角度来看这种方法是否有意义,或者其他方法是否更好。

select calendar_date,
case when (MONTH(calendar_date) < MONTH(getdate()))
     or (MONTH(calendar_date) = MONTH (getdate())
         AND DAY(calendar_date) <= DAY(getdate())) then
case when YEAR(calendar_date) = YEAR(GETDATE()) then 'CYTD'
when YEAR(calendar_date) = YEAR(getdate()) - 1 then 'LYTD'
else 'Other'
end
else 'Other'
end as Tim_Tag_YTD
from #temp1
4

2 回答 2

2

您的逻辑看起来不错,并且可以按原样工作。

一种稍微简化的替代方案,它假设您没有未来的数据。

select
  calendar_date,
  Tim_Tag_YTD = case DATEDIFF(YEAR, calendar_date, GETDATE())
                when 0 then 'CYTD'
                when 1 then 'LYTD'
                else 'Other'
                end
from #temp1;

就您的逻辑而言,您明确地将未来数据放入“其他”,您也可以这样做:

select
  calendar_date,
  Tim_Tag_YTD = case when calendar_date > GETDATE() then 'Other' else
                    case DATEDIFF(YEAR, calendar_date, GETDATE())
                    when 0 then 'CYTD'
                    when 1 then 'LYTD'
                    else 'Other'
                    end
                end
from #temp1;
于 2013-05-01T21:33:20.763 回答
0

有时一些不直观的东西执行得更快。这样的事情可能值得一试。

set variable @FirstOfLastYear to Jan 1 of last year
using sql server date functions

set @FirstOfThisYear = DateAdd(year, 1, @FirstOfLastYear)

select 'last year' period
, whatever else you need
from #temp1 where calendar_date >= @FirstOfLastYear
and calendar_date < @FirstOfThisYear
union
select 'this year' period
, whatever else you need
from #temp1 where calendar_date >= @FirstOfThisYear
and calendar_date < getDate ()
union
select 'other' period
, whatever else you need
from #temp1 where calendar_date <= @FirstOfLastYear
or calendar_date > getdate()

除非你尝试,否则你永远不会知道。

于 2013-05-01T21:51:21.783 回答