Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQL group dates by month

I have a query that returns expiration dates:

    SELECT ci.accountnumber
           , ci.accountname
           , cvu.ExpirationDate
      FROM dbo.clientinfo ci
INNER JOIN clientvehicleunit cvu ON ci.clientid = cvu.clientid

The expiration dates can be anytime during any month and any year.

I need to return counts of how many units are due to expire within each month for a 12 month period....

I have no idea how I would do this?

like image 445
user380432 Avatar asked Feb 24 '11 16:02

user380432


2 Answers

You can do something like this:

e.g. how many units are due to expire in 2012:

SELECT MONTH(cvu.ExpirationDate) AS Mnth, YEAR(cvu.ExpirationDate) AS Yr, 
    COUNT(*) AS DueToExpire
FROM clientvehicleunit cvu
WHERE cvu.ExpirationDate >= '20120101' AND cvu.ExpirationDate < '20130101'
GROUP BY MONTH(cvu.ExpirationDate), YEAR(cvu.ExpirationDate)
like image 170
AdaTheDev Avatar answered Oct 02 '22 04:10

AdaTheDev


I need to return counts of how many units are due to expire within each month for a 12 month period.

If you mean from the current month forward, then

SELECT
    [YYYY.MM]    = CONVERT(varchar(7), cvu.ExpirationDate, 102),
    CountInMonth = COUNT(*)
FROM dbo.clientinfo ci
JOIN clientvehicleunit cvu ON ci.clientid = cvu.clientid
WHERE cvu.ExpirationDate >= DATEADD(m, DATEDIFF(m,0,getdate()), 0)
  AND cvu.ExpirationDate <  DATEADD(m, DATEDIFF(m,0,getdate())+12, 0)
GROUP BY CONVERT(varchar(7), cvu.ExpirationDate, 102)
ORDER BY [YYYY.MM]

Note: The period is printed in the form [YYYY.MM], e.g. 2011.01

like image 39
RichardTheKiwi Avatar answered Oct 02 '22 05:10

RichardTheKiwi