How can I get a table of dates from the first day of the month, two months ago, to yesterday?

后端 未结 3 1201
情歌与酒
情歌与酒 2021-01-20 06:26

I have a situation that I would normally solve by creating a feeder table (for example, every date between five years ago and a hundred years into the future) for querying b

相关标签:
3条回答
  • 2021-01-20 06:44

    just an idea (not even sure how you'd do this), but let's say you knew how many days you wanted. Like 45 days. If you could get a select to list 1-45 you could do date arithmetic to subtract that number from your reference data (ie today).

    This kind of works (in MySQL):

    set @i = 0; 
    SELECT @i:=@i+1 as myrow, ADDDATE(CURDATE(), -@i) 
    FROM some_table 
    LIMIT 10;
    

    The trick i have is how to get the 10 to be dynamic. If you can do that then you can use a query like this to get the right number to limit.

    SELECT DATEDIFF(DATE_SUB(CURDATE(), INTERVAL 1 DAY), 
                    DATE_SUB(LAST_DAY(CURDATE()), INTERVAL 2 MONTH))
    FROM dual;
    
    0 讨论(0)
  • 2021-01-20 06:52

    I haven't used DB2 before but in SQL Server you could do something like the following. Note that you need a table with at least the number of rows as you need days.

    SELECT TOP 45 
        DATEADD(d, ROW_NUMBER() OVER(ORDER BY [Field]) * -1, GETDATE())
    FROM 
        [Table]
    
    0 讨论(0)
  • 2021-01-20 07:05

    This just does sequential days between two dates, but I've posted to show you can eliminate the recursive error by supplying a limit.

    with temp (level, seqdate) as 
    (select 1, date('2008-01-01')
    from sysibm.sysdummy1
    union all
    select level, seqdate + level days
    from temp
    where level < 1000 
    and seqdate + 1 days < Date('2008-02-01')
    )
    select seqdate as CalendarDay
    from temp
    order by seqdate
    

    Update from pax:

    This answer actually put me on the right track. You can get rid of the warning by introducing a variable that's limited by a constant. The query above didn't have it quite right (and got the dates wrong, which I'll forgive) but, since it pointed me to the problem solution, it wins the prize.

    The code below was the final working version (sans warning):

    WITH DATERANGE(LEVEL,DT) AS (
      SELECT 1, CURRENT DATE + (1 - DAY(CURRENT DATE)) DAYS - 2 MONTHS
        FROM SYSIBM.SYSDUMMY1
      UNION ALL SELECT LEVEL + 1, DT + 1 DAY
        FROM DATERANGE
        WHERE LEVEL < 1000 AND DT < CURRENT DATE - 1 DAY
    ) SELECT DT FROM DATERANGE;
    

    which outputs, when run on the 2nd of February:

    ----------
        DT
    ----------
    2009-12-01
    2009-12-02
    2009-12-03
    :  :  :  :
    2010-01-30
    2010-01-31
    2010-02-01
    
    DSNE610I NUMBER OF ROWS DISPLAYED IS 63
    DSNE616I STATEMENT EXECUTION WAS SUCCESSFUL.
    
    0 讨论(0)
提交回复
热议问题