SQL get customers by age - sql

How i can get a list of customers, whose age will be 5 or 10 years on a given interval of two dates ?
The query for only one date is:
SELECT * FROM Customers C
WHERE DATEDIFF(MONTH,C.StartDate,#Date)=60
OR DATEDIFF(MONTH, C.StartDate,#Date)=120

You want customers where they are 5 or less at the start and 5 or greater at the end - this means that at some point in the range they were 5.
SELECT * FROM Customers C
WHERE (DATEDIFF(MONTH,C.StartDate,#StartDate)<=60 AND DATEDIFF(MONTH,C.StartDate,#EndDate) >=60)
OR (DATEDIFF(MONTH,C.StartDate,#StartDate)<=120 AND DATEDIFF(MONTH,C.StartDate,#EndDate) >=120)

You can use a query like below
See live demo
DECLARE #Date1 DATE
DECLARE #Date2 DATE
SET #Date1='03-19-2017'
SET #Date2='12-19-2017'
SELECT * FROM Customers C
WHERE ( DATEADD(m, 60,C.StartDate) BETWEEN #Date1 AND #Date2 )
OR
(DATEADD(m, 120,C.StartDate) BETWEEN #Date1 AND #Date2)

The syntax of T-SQL's datediff function is:
DATEDIFF ( datepart , startdate , enddate )
The order of dates IS important, to get a positive integer result the earlier date should be first and the later date should be second. If you do it the other way the results will be negative numbers.
You can overcome this by using ABS()
ABS( DATEDIFF ( datepart , date1 , date2 ) )

Related

Calculating daily average transaction balance of IDs

need to calculate daily average balance of ids. firstdate is when the ID was generated, currentdate is the dates with balance shown for the IDs.
I am expecting something like this [image 2](manually calculated) for each IDs. So basically need to calculate numbers of days between the firstdate when the id was generated and the last currentdate and the balance should be filled in the blank (between dates) to accurately calculating the daily average.
I created the calender table but not sure how I can get the balance for everyday in order to calculate the average.
CREATE TABLE #Calendar
(
[CalendarDate] DATE
)
DECLARE #StartDate DATE
DECLARE #EndDate DATE
SET #StartDate = '20000101'
SET #EndDate = GETDATE()
WHILE #StartDate <= #EndDate
BEGIN
INSERT INTO #Calendar
(
CalendarDate
)
SELECT
#StartDate
SET #StartDate = DATEADD(day, 1, #StartDate)
Thanks for any help.
Assuming the last observation is weighted to getdate()
There is no need for a calendar table, you can use the window function lead() over() to determine the number of days.
Example
Select ID
,ADB = sum(Balance*Days)/sum(Days)
From (
Select *
,Days = datediff(Day,CurrentDate,lead(CurrentDate,1,getdate() ) over (partition by ID order by CurrentDate ) )
from YourTable
) A
Group By ID
Results
ID ADB
110 109.5597
EDIT
I should add that the window functions can invaluable. They are well worth your time getting comfortable with them.

Count # of Saturdays given a date range

I have a datetime field and a net field. The Sat Count field is done by =IIf(DatePart("w",Fields!DespatchDate.Value)=7,1,0)
I want to total the count of the Saturdays given a starting date and end date (typically a month).
I tried =Sum(IIf(DatePart("w",Fields!DespatchDate.Value)=7,1,0) but the total is wrong.
I also want to count Saturdays for rest of the month, e.g there's a missing 3rd Saturday in the picture.
I also want to do a total of the Net for Saturdays.
Can you point me in the direction. I can do it in SQL or in SSRS
Considering that we do not have any Input or desired output provided, I am assuming that You just want to count Saturdays in a given range:
Select COUNT(*), SUM(Net)
FROM table
WHERE Day# = 7 AND Date BETWEEN '2021-02-16' AND '2021-02-23'
Assuming you want to count saturdays even if it is not part of your dataset, what you need to do is pad out all your dates for the given range and then join it to your base data set.
This would ensure that it accounts for ALL days of the week regardless of a dispatch event occuring on that date / day.
Below is some SQL code that might help you make a start.
declare #startdate date = '2021-02-01'
declare #enddate date = '2021-02-28'
if OBJECT_ID ('tempdb..#dates') is not null
drop table #dates
;WITH mycte AS
(
SELECT CAST(#startdate AS DATETIME) DateValue
UNION ALL
SELECT DateValue + 1
FROM mycte
WHERE DateValue + 1 < #enddate
)
SELECT DateValue into #dates
FROM mycte
OPTION (MAXRECURSION 0)
select
d.DateValue
, datepart(weekday,d.DateValue) as day_no
,case when datepart(weekday,d.DateValue) = 7 then isnull(t.net,0) else 0 end as sat_net
,case when datepart(weekday,d.DateValue) = 1 then isnull(t.net,0) else 0 end as sun_net
from #dates d
left join your_table t
on d.DateValue = t.some_date
drop table #dates
Since I don't know what your required output is, I cannot summarise this any further. But you get the idea!

How to store n number of SELECT results into variable?

So, i have this statement that returns OrderDates of all orders made by a customer. I'm trying to store the orderdates into a variable or multiple variable, to calculate average.
I know that for a specific result we can do something like this
DECLARE #tempvar DATE
SET #tempvar = (SELECT OrderDate From Orders WHERE CustID = '1234')
But issue is, what if select statement returns variable number of results (variable rows), like 0 results or 2 results or 4?
I know we can get number of rows returned by a select statement by ##ROWCOUNT variable.
To put my issue in simpler words, i need to store newest and oldest date returned by select statement, and divide it by number of rows returned.
If your main objective is to get the average of the dates, for that you don't need to store the dates to a variable, you can do it directly like following.
SELECT CAST(AVG(CAST(OrderDate AS FLOAT)) AS DATETIME) FROM Orders WHERE CustID = '1234'
You can also store the average of all date inside a variable, you can do it like following.
DECLARE #AvgDate DATETIME
SELECT #AvgDate = CAST(AVG(CAST(OrderDate AS FLOAT)) AS DATETIME)
FROM Orders WHERE CustID = '1234'
Still if you want to store the dates into some variable, in that case to store more than 1 value better choose a table datatype as following.
DECLARE #OrderDates TABLE(OrderDate DATETIME)
INSERT INTO #OrderDates(OrderDate)
SELECT OrderDate From [Orders] WHERE CustID = '1234'
--TO GET AVG
SELECT CAST(AVG(CAST(OrderDate AS FLOAT)) AS DATETIME) FROM #OrderDates ;
-- RETURNS ALL ROW
SELECT * FROM #OrderDates
Edit :
To put my issue in other words, i need to get number of days between
highest and smallest date returned by SELECT statement
To find the days between MAX date and Min Date, you can do like following.
SELECT DATEDIFF(day, MIN(OrderDate), MAX(OrderDate)) FROM #OrderDates
OR
SELECT DATEDIFF(day, MIN(OrderDate), MAX(OrderDate)) FROM Orders WHERE CustID = '1234'
I think this gets you what you want in just one line of code:
select dateadd(d, avg(datediff(d, '1970-01-01', OrderDate)), '19700101') from Orders where CustID = '1234'
In response to comment below, try:
select
dateadd(d, datediff(d, '1970-01-01', max(OrderDate)) - datediff(d, '1970-01-01', min(OrderDate)) / count(*), '1970-01-01') as requested_calc,
dateadd(d, avg(datediff(d, '1970-01-01', OrderDate)), '19700101') as avg_date
from Orders
where CustID = '1234'
But for the life of me, I don't understand why you would want this calc. So I kept the other too.
I hope this helps.

Query to check number of records created in a month.

My table creates a new record with timestamp daily when an integration is successful. I am trying to create a query that would check (preferably automated) the number of days in a month vs number of records in the table within a time frame.
For example, January has 31 days, so i would like to know how many days in january my process was not successful. If the number of records is less than 31, than i know the job failed 31 - x times.
I tried the following but was not getting very far:
SELECT COUNT (DISTINCT CompleteDate)
FROM table
WHERE CompleteDate BETWEEN '01/01/2015' AND '01/31/2015'
Every 7 days the system executes the job twice, so i get two records on the same day, but i am trying to determine the number of days that nothing happened (failures), so i assume some truncation of the date field is needed?!
One way to do this is to use a calendar/date table as the main source of dates in the range and left join with that and count the number of null values.
In absence of a proper date table you can generate a range of dates using a number sequence like the one found in the master..spt_values table:
select count(*) failed
from (
select dateadd(day, number, '2015-01-01') date
from master..spt_values where type='P' and number < 365
) a
left join your_table b on a.date = b.CompleteDate
where b.CompleteDate is null
and a.date BETWEEN '01/01/2015' AND '01/31/2015'
Sample SQL Fiddle (with count grouped by month)
Assuming you have an Integers table*. This query will pull all dates where no record is found in the target table:
declare #StartDate datetime = '01/01/2013',
#EndDate datetime = '12/31/2013'
;with d as (
select *, date = dateadd(d, i - 1 , #StartDate)
from dbo.Integers
where i <= datediff(d, #StartDate, #EndDate) + 1
)
select d.date
from d
where not exists (
select 1 from <target> t
where DATEADD(dd, DATEDIFF(dd, 0, t.<timestamp>), 0) = DATEADD(dd, DATEDIFF(dd, 0, d.date), 0)
)
Between is not safe here
SELECT 31 - count(distinct(convert(date, CompleteDate)))
FROM table
WHERE CompleteDate >= '01/01/2015' AND CompleteDate < '02/01/2015'
You can use the following query:
SELECT DATEDIFF(day, t.d, dateadd(month, 1, t.d)) - COUNT(DISTINCT CompleteDate)
FROM mytable
CROSS APPLY (SELECT CAST(YEAR(CompleteDate) AS VARCHAR(4)) +
RIGHT('0' + CAST(MONTH(CompleteDate) AS VARCHAR(2)), 2) +
'01') t(d)
GROUP BY t.d
SQL Fiddle Demo
Explanation:
The value CROSS APPLY-ied, i.e. t.d, is the ANSI string of the first day of the month of CompleteDate, e.g. '20150101' for 12/01/2015, or 18/01/2015.
DATEDIFF uses the above mentioned value, i.e. t.d, in order to calculate the number of days of the month that CompleteDate belongs to.
GROUP BY essentially groups by (Year, Month), hence COUNT(DISTINCT CompleteDate) returns the number of distinct records per month.
The values returned by the query are the differences of [2] - 1, i.e. the number of failures per month, for each (Year, Month) of your initial data.
If you want to query a specific Year, Month then just simply add a WHERE clause to the above:
WHERE YEAR(CompleteDate) = 2015 AND MONTH(CompleteDate) = 1

SQL Server 2008 - Enumerate multiple date ranges

How can I enumerate multiple date ranges in SQL Server 2008? I know how to do this if my table contains a single record
StartDate EndDate
2014-01-01 2014-01-03
;WITH DateRange
AS (
SELECT #StartDate AS [Date]
UNION ALL
SELECT DATEADD(d, 1, [Date])
FROM DateRange
WHERE [Date] < #EndDate
)
SELECT * FROM DateRange
OUTPUT
2014-01-01, 2014-01-02, 2014-01-03
I am however lost as how to do it if my table contains multiple records. I could possibly use the above logic in a cursor but want to know if there is a set based solution instead.
StartDate EndDate
2014-01-01 2014-01-03
2014-01-05 2014-01-06
DESIRED OUTPUT:
2014-01-01, 2014-01-02, 2014-01-03, 2014-01-05, 2014-01-06
Well, let's see. Define the ranges as a table. Then generate the full range of dates from the first to the last date. Finally, select the dates that are in the range:
with dateranges as (
select cast('2014-01-01' as date) as StartDate, cast('2014-01-03' as date) as EndDate union all
select '2014-01-05', '2014-01-06'
),
_dates as (
SELECT min(StartDate) AS [Date], max(EndDate) as enddate
FROM dateranges
UNION ALL
SELECT DATEADD(d, 1, [Date]), enddate
FROM _dates
WHERE [Date] < enddate
),
dates as (
select [date]
from _dates d
where exists (select 1 from dateranges dr where d.[date] >= dr.startdate and d.[date] <= dr.enddate)
)
select *
from dates
. . .
You can see this work here.
You could grab the min and max dates first, like so:
SELECT #startDate = MIN(StartDate), #endDate = MAX(EndDate)
FROM YourTable
WHERE ...
And then pass those variables into your date range enumerator.
Edit... Whoops, I missed an important requirement. See the accepted answer.
As GordonLinoff mentioned, you should:
Store your ranges in a table
Generate a range of dates that encompasses your ranges
Filter down to only those dates that fall within the range
The following query builds up a collection of numbers, and then uses that to quickly generate all of the dates that fall within each range.
-- Create a table of digits (0-9)
DECLARE #Digits TABLE (digit INT NOT NULL PRIMARY KEY);
INSERT INTO #Digits(digit)
VALUES (0),(1),(2),(3),(4),(5),(6),(7),(8),(9);
WITH
-- Store our ranges in a common table expression
CTE_DateRanges(StartDate, EndDate) AS (
SELECT '2014-01-01', '2014-01-03'
UNION ALL
SELECT '2014-01-05', '2014-01-06'
)
SELECT DATEADD(DAY, NUMBERS.num, RANGES.StartDate) AS Date
FROM
(
-- Create the list of all 3-digit numbers (0-999)
SELECT D3.digit * 100 + D2.digit * 10 + D1.digit AS num
FROM #Digits AS D1
CROSS JOIN #Digits AS D2
CROSS JOIN #Digits AS D3
-- Add more CROSS JOINs to #Digits if your ranges span more than 999 days
) NUMBERS
-- Join to our ranges table to generate the dates and filter them
-- down to those that fall within a range
INNER JOIN CTE_DateRanges RANGES
ON DATEADD(DAY, NUMBERS.num, RANGES.StartDate) <= RANGES.EndDate
ORDER BY
Date
The date creation is done by joining our number list with our date ranges, using the number as a number of days to add to the StartDate of the range. We then filter out any results where the generated date for a given range falls beyond that range's EndDate. Since we're adding a non-negative number of days to the StartDate to generate the date, we know that our date will always be greater-than-or-equal-to the StartDate of the range, so we don't need to include StartDate in the WHERE clause.
This query will return DATETIME values. If you need a DATE value, rather than a DATETIME value, you can simply cast the value in the SELECT clause.
Credit goes to Itzik Ben-Gan for the digits table.