0

我正在尝试编写一个仅返回过去 3、6、9 个月或一年的数据的存储过程。它只需要整整几个月(如果拉 8/15;最近的是 7 月)

到目前为止,我已经能够找出如何找出上个月的第一天和最后一天。

SELECT DATEADD(m,-1,DATEADD(mm, DATEDIFF(m,0,GETDATE()), 0))as 'First day of the month',
DATEADD(d,-1,DATEADD(mm, DATEDIFF(m,0,GETDATE()),0)) as 'Last day of the month'

需要检查的字段是 TransactionDateKey(即 20161222)。我认为我应该在该字段上使用 CAST 来仅检查月份和日期(即 201612),但我可能是错的。下面是我认为我应该根据我的查询但没有硬编码日期的粗略模型

select FirstName + ' ' + LastName as 'Specialist',
    empID as 'empID',
    count(fact.spKey) as 'Count',
    CAST(LEFT(CAST(TransactionDateKey AS VARCHAR(100)), 6) AS INT) as 'Month'
from Final.DimSpecialist s
    inner join Final.FactTreatmentDay fact
        on fact.spKey = s.spKey
where TransactionDateKey between 20161201 and 20161231
group by FirstName + ' ' + LastName,
    empID,
    CAST(LEFT(CAST(TransactionDateKey AS VARCHAR(100)), 6) AS INT)

我将如何声明一个参数 @MonthRange,并在 WHERE 子句中使用它来仅返回过去 3 个月、6 个月、9 个月或一年的数据?我认为该参数需要放置在“每月第一天”中 -1 的位置。我认为还应该有一个 case 语句来检查 4 个可能的参数值中的每一个,但我不确定它应该去哪里。任何建议将不胜感激。

4

1 回答 1

1

我相信有一些有趣的方法可以使用具有 yearmo 字段的日期维度表来计算日期,我选择提供一个与您已有的非常匹配的答案,如果您没有这样的表,则适用:- )

declare @months_to_report int;  --procedure parameter

--Validation
if @months_to_report not in (3, 6, 9, 12) raiserror('Months to report must be one of 3, 6, 9, or 12.', 18, 1);

--Variables
declare @first date, @start date, @end date, @start_key int, @end_key int;

set @first = DATEADD(m,-1,DATEADD(mm, DATEDIFF(m,0,GETDATE()), 0));     --first day of previous month
set @end = DATEADD(d,-1,DATEADD(mm, DATEDIFF(m,0,GETDATE()),0));        --last day of previous month
set @start = DATEADD(M, 1 - @months_to_report, @first);                 --move back n-1 months to account for including previous month

set @start_key = Year(@start) * 10000 + Month(@start) * 100 + Day(@start);  --start date as keys
set @end_key = Year(@end) * 10000 + Month(@end) * 100 + Day(@end);  --end date as keys

select @first as 'First day of the month', @start as 'First day of reporting period', @end as 'Last day of the month/reporting period', @start_key as 'Start key', @end_key as 'End key';

此代码假定要传递的参数是@months_to_report. 我更喜欢验证存储过程中的参数。结束select仅用于调试目的。您将修改您提供的示例代码以遵循这一点,并为您的硬编码日期补充 @start_key 和 @end_key。

于 2017-01-19T04:54:41.790 回答