return 每 year/month 条记录的金额(基于开始和结束日期)

return amount per year/month records based on start and enddate

我有一个 table,例如这个数据:

ID |start_date  |end_date   |amount
---|------------|-----------|--------
1  |2019-03-21  |2019-05-09 |10000.00
2  |2019-04-02  |2019-04-10 |30000.00
3  |2018-11-01  |2019-01-08 |20000.00

我希望根据 year/month.

以正确计算的金额取回拆分的记录

我希望结果是这样的:

ID |month |year   |amount
---|------|-------|--------
1  |3     | 2019  | 2200.00
1  |4     | 2019  | 6000.00
1  |5     | 2019  | 1800.00
2  |4     | 2019  |30000.00
3  |11    | 2018  | 8695.65
3  |12    | 2018  | 8985.51
3  |1     | 2019  | 2318.84

实现此目标的最佳方法是什么?我认为您必须使用 DATEDIFF 来获取 start_date 和 end_date 之间的天数来计算每天的金额,但我不确定如何 return 它作为记录每 month/year.

提前发送!

这是一个想法。我使用 Tally 为每一天创建一个与该 ID 相关的金额。然后,我将 Amount 的值除以天数,按月和年分组:

CREATE TABLE dbo.YourTable(ID int,
                           StartDate date,
                           EndDate date,
                           Amount decimal(12,2));
GO
INSERT INTO dbo.YourTable (ID,
                           StartDate,
                           EndDate,
                           Amount)
VALUES(1,'2019-03-21','2019-05-09',10000.00),
      (2,'2019-04-02','2019-04-10',30000.00),
      (3,'2018-11-01','2019-01-08',20000.00);
GO
--Create a tally
WITH N AS(
    SELECT N
    FROM (VALUES(NULL),(NULL),(NULL),(NULL),(NULL),(NULL),(NULL),(NULL),(NULL),(NULL))N(N)),
Tally AS(
    SELECT TOP (SELECT MAX(DATEDIFF(DAY, t.StartDate, t.EndDate)+1) FROM dbo.YourTable t) --Limits the rows, might be needed in a large dataset, might not be, remove as required
           ROW_NUMBER() OVER (ORDER BY (SELECT NULL)) -1 AS I
    FROM N N1, N N2, N N3), --1000 days, is that enough?
--Create the dates
Dates AS(
    SELECT YT.ID,
           DATEADD(DAY, T.I, YT.StartDate) AS [Date],
           YT.Amount,
           COUNT(T.I) OVER (PARTITION BY YT.ID) AS [Days]
    FROM Tally T
         JOIN dbo.YourTable YT ON T.I <= DATEDIFF(DAY, YT.StartDate, YT.EndDate))
--And now aggregate
SELECT D.ID,
       DATEPART(MONTH,D.[Date]) AS [Month],
       DATEPART(YEAR,D.[Date]) AS [Year],
       CONVERT(decimal(12,2),SUM(D.Amount / D.[Days])) AS Amount
FROM Dates D
GROUP BY D.ID,
         DATEPART(MONTH,D.[Date]),
         DATEPART(YEAR,D.[Date])
ORDER BY D.ID,
         [Year],
         [Month];

GO

DROP TABLE dbo.YourTable;
GO

DB<>Fiddle