Check for leap year - tsql

How do I check if a year is a leap year?
I have this code:
declare #year int
set #year = 1968
SELECT CASE WHEN #YEAR = <LEAPYEAR> THEN 'LEAP YEAR' ELSE 'NORMAL YEAR' END
Expected result:
LEAP YEAR

Check for 29th Feb:
CASE WHEN ISDATE(CAST(#YEAR AS char(4)) + '0229') = 1 THEN 'LEAP YEAR' ELSE 'NORMAL YEAR' END
or use the following rule
CASE WHEN (#YEAR % 4 = 0 AND #YEAR % 100 <> 0) OR #YEAR % 400 = 0 THEN 'LEAP YEAR'...

MOST EFFICIENT LEAP YEAR TEST:
CASE WHEN #YEAR & 3 = 0 AND (#YEAR % 25 <> 0 OR #YEAR & 15 = 0) THEN ...
Adapted from: http://stackoverflow.com/a/11595914/3466415

Leap year calculation:
(#year % 4 = 0) and (#year % 100 != 0) or (#year % 400 = 0)
When this is true, then it is a leap year. Or to put it in case statement
select case when
(
(#year % 4 = 0) and (#year % 100 != 0) or
(#year % 400 = 0)
) then 'LEAP' else 'USUAL' end
;

This could also help
DECLARE #year INT = 2012
SELECT IIF(DAY(EOMONTH(DATEFROMPARTS(#year,2,1))) = 29,1,0)
Result: 1 --(1 if Leap Year, 0 if not)
SELECT IIF(DAY(EOMONTH(DATEFROMPARTS(#year,2,1))) = 29,'Leap year','Not Leap year')
Result: Leap year

Not sure how efficient this is compared to the other solutions. But is another option.
DECLARE #year int = 2016
SELECT CASE
WHEN DATEPART(dayofyear, DATEFROMPARTS(#year, 12, 31)) = 366
THEN 'LEAP'
ELSE 'NOT LEAP'
END

3 line... but could be also 2...
DECLARE #Y as int = 2021;
DECLARE #Dt as char(10) = CAST(#Y as CHAR(4)) + '-02-29'
SELECT IIF(isDATE(#Dt) = 1, 1,0)
or
DECLARE #Dt as char(10) = '2020-02-29'
SELECT IIF(isDATE(#Dt) = 1, 1,0)
Alen

I Have a better solution
CREATE FUNCTION dbo.IsLeapYear(#year INT)
RETURNS BIT AS
BEGIN
DECLARE #d DATETIME,
#ans BIT
SET #d = CONVERT(DATETIME,'31/01/'+CONVERT(VARCHAR(4),#year),103)
IF DATEPART(DAY,DATEADD(MONTH,1,#d))=29 SET #ans=1 ELSE SET #ans=0
RETURN #ans
END
GO
feel free to use

There are different way you can find.
DEMO
DECLARE #year INT = 2024;
-- Date Cast
SELECT #year AS [Year],
CASE WHEN ISDATE(CAST(#year AS CHAR(4)) + '0229') = 1
THEN 'Leap Year'
ELSE 'Not a Leap Year' END
-- Year divisible by 4 but not by 100 OR year divisible by 400
SELECT #year AS [Year],
CASE WHEN (#year % 4 = 0 AND #year % 100 <> 0) OR (#year % 400 = 0)
THEN 'Leap Year'
ELSE 'Not a Leap Year' END
-- Find Month
SELECT #year As [Year],
CASE WHEN MONTH(DATEADD(D, 1, DATEFROMPARTS(#Year, 2, 28))) <> 3
THEN 'Leap Year'
ELSE 'Not a Leap Year' END
-- A Leap Year has 366 days (the extra day is the 29th of February).
SELECT #year As [Year],
CASE WHEN DATEPART(dy,DATEFROMPARTS(#year,12,31)) = 366
THEN 'Leap Year'
ELSE 'Not a Leap Year' END

Related

Running Week on Fiscal Calendar

I have a problem on this calendar, the weeks calculations per year are working correctly based on our needs, but now I need to add a iteration variable (#runningWeekSeed) that increments in 1 when the week changes (#WorkWeekSeed).
I'm not sure If i explained correctly.
/*
This Query is built for a 4-4-5 calendar, Mon - Sun week.
Each Fiscal year start on 01/01/YYYY ends on 12/31/YYYY.
*/
DECLARE
#FiscalCalendarStart DATETIME, -- Calendar starts
#EndOfCalendar DATETIME, -- Calendar ends
#CurrentDate DATETIME, -- Calendar date being calculated against
#RunningDaySeed INT, -- Days calculations
#RunningWeekSeed INT, -- Weeks calculations
#FiscalYearSeed INT, -- Years calculations
#RunningPeriodSeed INT, -- Fiscal Month
#WorkWeekSeed INT, -- Fiscal Week
#WorkQuarterSeed INT, -- Fiscal Quarter
#WorkPeriod INT, -- Used to assign where the extra "leap week" goes. Based on the 4-4-5 calendar.
#WeekEnding DATETIME
DECLARE #FiscalTimePeriods AS TABLE (
Sysdate VARCHAR (10), -- Date with format MMDDYYYY
Date_Time_Target DATETIME, -- The date, but with Time duh
MSC_Week INT, -- Running week according MSC Calendar
MSC_Year INT, -- Calendar with corresponding days into the Fiscal year
weekEnding DATETIME,
runningWeekSeed INT
)--Of Table
/* These are user variables, and should be set according every need */
SELECT
#FiscalCalendarStart = '20150101', -- The date of year start. Used as the base date for calculations (This case will be on 12/29/2015 to match 7 days week for week 1 of 2015)
#EndOfCalendar = '20901231' , -- The date on which the calendar query will end. Can be adjusted for each need
#RunningDaySeed = 1, -- This is used to measure the number of days since the calendar began, often used for depreciation (usually 1)
#RunningPeriodSeed = 1, -- The number of fiscal months since the original calendar began (usually 1)
#RunningWeekSeed = 1, -- The number of fiscal weeks since the original calendar began (usually 1)
#FiscalYearSeed = 2015 -- The starting fiscal year (first 3 days of week 1 belongs to 2014 but it's on 2015 fiscal calendar)
/* These are iteration variables, do not mess with these */
SELECT
#WorkPeriod = 1 ,
#WorkWeekSeed = 1 ,
#WorkQuarterSeed = 1
/* The loop is iterated once for each day */
SET #CurrentDate = #FiscalCalendarStart
SELECT #WeekEnding = dateadd ( D , 8 - DATEPART ( DW , #CurrentDate ), #CurrentDate )
WHILE #CurrentDate <= #EndOfCalendar
BEGIN --MAIN BEGIN
INSERT INTO #FiscalTimePeriods
SELECT
CONVERT ( VARCHAR (10), #CurrentDate , 101 ) AS SysDate,
#CurrentDate AS Date_Time_Target,
#WorkWeekSeed AS MSC_Week,
YEAR (#CurrentDate) AS MSC_Year,
#WeekEnding,
#RunningWeekSeed
/* Iterate the date and increment the RunningDay */
SET #CurrentDate = DATEADD ( D , 1 , #CurrentDate )
SELECT #RunningDaySeed = #RunningDaySeed + 1,
#WeekEnding = dateadd ( D , 8 - DATEPART ( DW , #CurrentDate ), #CurrentDate )
/* If #CurrentDate is 01/01/YYYY, reset fiscal counters */
IF (DATEPART (MONTH, #CurrentDate) = 1 AND DATEPART(DAY, #CurrentDate) = 1)
BEGIN
SELECT
#WorkPeriod = 1 ,
#WorkWeekSeed = 1 ,
#WorkQuarterSeed = 1,
#FiscalYearSeed = #FiscalYearSeed + 1
END
ELSE
/*************Check if Monday is between 12/23 to 12/31 *****************/
IF DATEPART ( DW , #CurrentDate ) = 2 -- Check if #CurrentDate is monday
IF DATEPART (MONTH, #CurrentDate) = 12 AND (DATEPART(DAY, #CurrentDate) in (23, 24, 25, 26, 27, 28, 29, 30, 31)) -- If #CurrentDate is Dec 23 to 31
BEGIN
SELECT
#WeekEnding = dateadd ( D , 8 - DATEPART ( DW , #CurrentDate ), #CurrentDate ),
#WorkWeekSeed = 52,
#WorkQuarterSeed = 4,
#WorkPeriod = 12
END
ELSE
IF DATEPART ( DW , #CurrentDate ) = 2
BEGIN
SELECT
#WeekEnding = dateadd ( D , 8 - DATEPART ( DW , #CurrentDate ), #CurrentDate ),
#WorkWeekSeed = CASE
WHEN #WorkWeekSeed = 53 THEN 52
ELSE #WorkWeekSeed + 1
END
END
/* Compare if current date acomplish ISO_WEEK standard ISO 8601*/
IF DATEPART ( ISO_WEEK , #CurrentDate ) = 1
SELECT
#WorkPeriod = 1,
#WorkWeekSeed = 1,
#WorkQuarterSeed = 1
------------------------HERE IS WHERE START TO DO THE CALCULATION OF THE runningWeekSeed-------------------------
IF #WorkWeekSeed = 52
SELECT #WeekEnding = dateadd ( D , 8 - DATEPART ( DW , #CurrentDate ), #CurrentDate ),
#RunningWeekSeed = #RunningWeekSeed
ELSE
IF DATEPART(DW, #CurrentDate) = 2
SELECT #RunningWeekSeed = #RunningWeekSeed + 1
ELSE
IF (DATEPART (MONTH, #CurrentDate) = 1 AND DATEPART(DAY, #CurrentDate) = 1)
SELECT #RunningWeekSeed = #RunningWeekSeed + 1
END -- MAIN BEGIN
SELECT
*
FROM #FiscalTimePeriods
ORDER BY Date_Time_Target ASC
The needed results need to be like this

How do I use a calculated value within a DATEFROMPARTS in SQL

I need a calculated month value within DATEFROMPARTS function. The month has to be seven month prior to CURRENT_TIMESTAMP month.
This is what I tried:
DATEFROMPARTS(Year(CURRENT_TIMESTAMP), Month(CURRENT_TIMESTAMP)-7, 1) as SevenMoAgo;
I will eventually use this in the following expression where '12-01-2018' is:
where RECORDED_SERVICE_STARTTIME > ='12-01-2018'
I later used
declare #CurMo AS INT;
declare #MonPri7 AS INT;
set #CurMo = Month(CURRENT_TIMESTAMP);
set #MonPri7 = (#CurMo -7);
Datefromparts(Year(CURRENT_TIMESTAMP), #MonPri7, 1) as SevenMoAgo;
This also did not work.
I get the following error message:
"Cannot construct data type date, some of the arguments have values which are not valid."
For the second code I get:
Msg 102, Level 15, State 1, Line 8
Incorrect syntax near 'Datefromparts'.
Try this...
SELECT DATEADD(MONTH, DATEDIFF(MONTH, 0, CURRENT_TIMESTAMP) - 7, 0)
Let me explain. First off, we need to understand that SQL Server interprets 0 as 1900-01-01 as shown by the following DATEPART functions.
SELECT DATEPART(YEAR, 0) AS Year
, DATEPART(MONTH, 0) AS Month
, DATEPART(DAY, 0) AS Day;
Which returns...
Year Month Day
----------- ----------- -----------
1900 1 1
Therefore, my SQL could be rewritten as...
SELECT DATEADD(MONTH, DATEDIFF(MONTH, '1900-01-01', CURRENT_TIMESTAMP) - 7, '1900-01-01')
Now perhaps it is a little easier to see what is going on here. The DATEDIFF function returns the number number of months between 1900-01-01 and today (CURRENT_TIMESTAMP) which is 1434.
SELECT DATEADD(MONTH, 1434 - 7, '1900-01-01')
Then we subtract 7 from 1434 which is 1427 and add that many months back to 1900-01-01.
SELECT DATEADD(MONTH, 1427, '1900-01-01')
Which yields 2018-12-01.
The reason is #MonPri7 is equal to ZERO when you say (#CurMo -7)
There are many different ways to calculate it, but if you want to fix your logic, you should use this:
declare #CurMo AS INT;
declare #MonPri7 AS INT;
set #CurMo = Month(CURRENT_TIMESTAMP);
set #MonPri7 = (#CurMo -7);
declare #Y int = Year(CURRENT_TIMESTAMP) -- <-- This is new variable
-- if 7 months ago is ZERO then you should go back to prev year December
if #MonPri7 = 0
begin
set #MonPri7 = 12
set #Y = #Y - 1
end
Edit:
declare #SevenMonthsAgo datetime;
select #SevenMonthsAgo = Datefromparts(#Y, #MonPri7, 1);
SELECT yourfields
FROM yourtable
where RECORDED_SERVICE_STARTTIME > = '01-01-2019' and
RECORDED_SERVICE_STARTTIME > = #SevenMonthsAgo

Get difference between two dates in Years

I am working with a table that has StartDate and EndDate fields. I need to find difference between then in years.
Example:
StartDate = 1/1/2017
EndDate = 12/31/2017
I expect Result = 1 for the date difference.
Also, I'd like to round it to nearest whole number.
Example:
StartDate = 1/1/2017
EndDate = 11/30/2017
I expect Result = 1 for the date difference.
Using datediff function, I am able to get the result, but it isn't rounding to nearest whole number.
Example query:
I am getting 6 years even though 65 months / 12 would be less than 5.5:
select (DATEDIFF(yy, '01/01/2016', '5/31/2021')
+ CASE WHEN abs(DATEPART(day, '01/01/2016') - DATEPART(day, '05/31/2021')) > 15 THEN 1 ELSE 0 END)
select (DATEDIFF(mm, '01/01/2016', '05/31/2021')
+ CASE WHEN abs(DATEPART(day, '01/01/2016') - DATEPART(day, '05/31/2021')) > 15 THEN 1 ELSE 0 END)
DECLARE #startdate DATETIME = '1-1-2017',
#enddate DATETIME = '12-31-2018'
SELECT #startdate as StartDate, #enddate as EndDate,
DATEDIFF(YEAR, #startdate, #enddate)
-
(CASE
WHEN DATEADD(YEAR,
DATEDIFF(YEAR, #startdate,#enddate), #startdate)
> #enddate THEN 1
ELSE 0 END) 'Date difference in Years'
Use this code, I hope it will help you.
So far following query seems to be working okay. My mistake was I dividing by 12 instead of 12.0 for rounding to work correctly. Who knew! :
select
Round((DATEDIFF(mm, '01/01/2016', '07/1/2017')
+ CASE WHEN abs(DATEPART(day, '01/01/2016') - DATEPART(day, '06/30/2017')) > 15 THEN 1 ELSE 0 END) / 12.0, 0)
This may be a bit old but when using Oracle SQL Developer you can use the following. Just add your Dates below. I was using DateTime. This was used to get years between 0 and 10.
TRUNC((MONTHS_BETWEEN(<DATE_ONE>, <DATE_TWO>) * 31) / 365) > 0 and TRUNC((MONTHS_BETWEEN(<DATE_ONE>, <DATE_TWO>) * 31) / 365) < 10

SQL Server not showing correct week numbers for given date

SQL Server is showing week 53 for first week of 2011 except 1th of January, and needs to be week 1.
Below is the query and output:
declare #T table (dt datetime)
insert into #T values
('2010-12-26'),
('2010-12-27'),
('2010-12-28'),
('2010-12-29'),
('2010-12-30'),
('2010-12-31'),
('2011-01-01'),
('2011-01-02'),
('2011-01-03'),
('2011-01-04'),
('2011-01-05'),
('2011-01-06'),
('2011-01-07'),
('2011-01-08')
select dt,DATEPART(wk,dt) from #T
Output:
2010-12-26 00:00:00.000 53
2010-12-27 00:00:00.000 53
2010-12-28 00:00:00.000 53
2010-12-29 00:00:00.000 53
2010-12-30 00:00:00.000 53
2010-12-31 00:00:00.000 53
2011-01-01 00:00:00.000 1
2011-01-02 00:00:00.000 2
2011-01-03 00:00:00.000 2
2011-01-04 00:00:00.000 2
2011-01-05 00:00:00.000 2
2011-01-06 00:00:00.000 2
2011-01-07 00:00:00.000 2
2011-01-08 00:00:00.000 2
I want SQL Server to show week 1 from Dec 26th - Jan 1th. Does anybody know how to accomplish this?
Thanks and regards,
Aschwin.
It was alot harder than I first expected. I am comparing the end of last year to see if it is qualified to be part of the new year. If so i set the week as 1, otherwise i just use the normal week.
declare #T table (dt datetime)
insert into #T values
('2010-12-25'),
('2010-12-26'),
('2010-12-27'),
('2010-12-28'),
('2010-12-29'),
('2010-12-30'),
('2010-12-31'),
('2011-01-01'),
('2011-01-02'),
('2011-01-03'),
('2011-01-04'),
('2011-01-05'),
('2011-01-06'),
('2011-01-07'),
('2011-01-08'),
('2011-12-31'),
('2012-01-01')
select dt,
week = case when dt + 6 - datediff(day, -1, dt) % 7 = dateadd(year, datediff(year,-1, dt), 0)
then 1 else datepart(week, dt) end from #t
Proof:
https://data.stackexchange.com/stackoverflow/q/110527/
I am not sure it holds for all years (but it looks like it) but you could solve this using a CASE statement.
SELECT dt
, CASE WHEN DATEPART(wk, dt) <> 53
THEN DATEPART(wk, dt)
ELSE 1
END
FROM #T
The new ISO_WEEK datepart doesn't apply to your requested output.
I Created 2 functions to deal with this issue
1) to get First or last day of the week
2) to get the week number or year
function 1
CREATE FUNCTION [dbo].[fn_GetDayOf]
(
#Date datetime,
--#FirstDayOfWeek int = 7,
#Mode int =1
)
/*
Mode 1: First Day Of Week
Mode 2: Last Day Of Week
*/
RETURNS datetime
WITH EXECUTE AS CALLER
BEGIN
Declare #Return datetime
--SET DATEFIRST #FirstDayOfWeek
IF #Mode = 1
BEGIN
select #Return = dateadd(day,-(datepart(weekday,#date)-1),convert(date,#date))
END
ELSE IF #Mode = 2
BEGIN
select #Return = dateadd(SECOND,-1,convert(datetime,dateadd(day,(datepart(weekday,#date)),convert(date,#date))))
END
ELSE
BEGIN
SET #Return = #Date
END
--SET DATEFIRST 7
RETURN #Return
END
Function 2
CREATE FUNCTION [dbo].[fn_GetYearWeek]
(
#Date datetime,
--#FirstDayOfWeek int = 7,
#Mode int =1
)
/*
Mode 1 = Week Number
Mode 2 = Year
*/
RETURNS INT
BEGIN
declare #Return int
IF #Mode = 1
BEGIN
select #Return = case when datepart(week,[dbo].[fn_GetDayOf] (#Date,1)) <> datepart(week,[dbo].[fn_GetDayOf] (#Date,2)) then datepart(week,[dbo].[fn_GetDayOf] (#Date,1)) else datepart(week,[dbo].[fn_GetDayOf] (#Date,2)) end
END
ELSE IF #Mode = 2
BEGIN
select #Return = case when datepart(WEEK,[dbo].[fn_GetDayOf] (#Date,1)) <> datepart(week,[dbo].[fn_GetDayOf] (#Date,2)) then datepart(YEAR,[dbo].[fn_GetDayOf] (#Date,1)) else datepart(YEAR,[dbo].[fn_GetDayOf] (#Date,2)) end
END
ELSE
BEGIN
SET #Return = -1
END
Return #Return
END
Running Example
declare #T table (dt datetime)
insert into #T values
('2010-12-25'),
('2010-12-26'),
('2010-12-27'),
('2010-12-28'),
('2010-12-29'),
('2010-12-30'),
('2010-12-31'),
('2011-01-01'),
('2011-01-02'),
('2011-01-03'),
('2011-01-04'),
('2011-01-05'),
('2011-01-06'),
('2011-01-07'),
('2011-01-08'),
('2011-12-31'),
('2012-01-01'),
('2012-01-02'),
('2012-12-31'),
('2013-01-01')
select
dt,
datepart(week,dt),
--case when datepart(week,[dbo].[fn_GetDayOf] (dt,1)) <> datepart(week,[dbo].[fn_GetDayOf] (dt,2)) then datepart(week,[dbo].[fn_GetDayOf] (dt,1)) else datepart(week,[dbo].[fn_GetDayOf] (dt,2)) end
[dbo].[fn_GetYearWeek] (dt,1),
[dbo].[fn_GetYearWeek] (dt,2)
from #T
result:
Another way to retrieve the total number of weeks in current year:
DECLARE #LASTDAY DATETIME
DECLARE #weeks INT
SET #LASTDAY = DATEADD(ms,-3,DATEADD(yy,0,DATEADD(yy,DATEDIFF(yy,0,GETDATE())+1,0)))
SELECT #weeks = CASE DATEname(dw,#LASTDAY)
WHEN 'MONDAY' THEN DATEPART(WK, DATEADD(wk,DATEDIFF(wk,7,#LASTDAY),5))
WHEN 'TUESDAY' THEN DATEPART(WK, DATEADD(wk,DATEDIFF(wk,7,#LASTDAY),5))
WHEN 'WEDNESDAY' THEN DATEPART(WK, DATEADD(wk,DATEDIFF(wk,7,#LASTDAY),5))
ELSE DATEPART(WK, #LASTDAY)
END
select #weeks

How to calculate age in T-SQL with years, months, and days

What would be the best way to calculate someone's age in years, months, and days in T-SQL (SQL Server 2000)?
The datediff function doesn't handle year boundaries well, plus getting the months and days separate will be a bear. I know I can do it on the client side relatively easily, but I'd like to have it done in my stored procedure.
Here is some T-SQL that gives you the number of years, months, and days since the day specified in #date. It takes into account the fact that DATEDIFF() computes the difference without considering what month or day it is (so the month diff between 8/31 and 9/1 is 1 month) and handles that with a case statement that decrements the result where appropriate.
DECLARE #date datetime, #tmpdate datetime, #years int, #months int, #days int
SELECT #date = '2/29/04'
SELECT #tmpdate = #date
SELECT #years = DATEDIFF(yy, #tmpdate, GETDATE()) - CASE WHEN (MONTH(#date) > MONTH(GETDATE())) OR (MONTH(#date) = MONTH(GETDATE()) AND DAY(#date) > DAY(GETDATE())) THEN 1 ELSE 0 END
SELECT #tmpdate = DATEADD(yy, #years, #tmpdate)
SELECT #months = DATEDIFF(m, #tmpdate, GETDATE()) - CASE WHEN DAY(#date) > DAY(GETDATE()) THEN 1 ELSE 0 END
SELECT #tmpdate = DATEADD(m, #months, #tmpdate)
SELECT #days = DATEDIFF(d, #tmpdate, GETDATE())
SELECT #years, #months, #days
Try this...
SELECT CASE WHEN
(DATEADD(year,DATEDIFF(year, #datestart ,#dateend) , #datestart) > #dateend)
THEN DATEDIFF(year, #datestart ,#dateend) -1
ELSE DATEDIFF(year, #datestart ,#dateend)
END
Basically the "DateDiff( year...", gives you the age the person will turn this year, so i have just add a case statement to say, if they have not had a birthday yet this year, then subtract 1 year, else return the value.
Simple way to get age as text is as below:
Select cast((DATEDIFF(m, date_of_birth, GETDATE())/12) as varchar) + ' Y & ' +
cast((DATEDIFF(m, date_of_birth, GETDATE())%12) as varchar) + ' M' as Age
Results Format will be:
**63 Y & 2 M**
Implemented by arithmetic with ISO formatted date.
declare #now date,#dob date, #now_i int,#dob_i int, #days_in_birth_month int
declare #years int, #months int, #days int
set #now = '2013-02-28'
set #dob = '2012-02-29' -- Date of Birth
set #now_i = convert(varchar(8),#now,112) -- iso formatted: 20130228
set #dob_i = convert(varchar(8),#dob,112) -- iso formatted: 20120229
set #years = ( #now_i - #dob_i)/10000
-- (20130228 - 20120229)/10000 = 0 years
set #months =(1200 + (month(#now)- month(#dob))*100 + day(#now) - day(#dob))/100 %12
-- (1200 + 0228 - 0229)/100 % 12 = 11 months
set #days_in_birth_month = day(dateadd(d,-1,left(convert(varchar(8),dateadd(m,1,#dob),112),6)+'01'))
set #days = (sign(day(#now) - day(#dob))+1)/2 * (day(#now) - day(#dob))
+ (sign(day(#dob) - day(#now))+1)/2 * (#days_in_birth_month - day(#dob) + day(#now))
-- ( (-1+1)/2*(28 - 29) + (1+1)/2*(29 - 29 + 28))
-- Explain: if the days of now is bigger than the days of birth, then diff the two days
-- else add the days of now and the distance from the date of birth to the end of the birth month
select #years,#months,#days -- 0, 11, 28
Test Cases
The approach of days is different from the accepted answer, the differences shown in the comments below:
dob now years months days
2012-02-29 2013-02-28 0 11 28 --Days will be 30 if calculated by the approach in accepted answer.
2012-02-29 2016-02-28 3 11 28 --Days will be 31 if calculated by the approach in accepted answer, since the day of birth will be changed to 28 from 29 after dateadd by years.
2012-02-29 2016-03-31 4 1 2
2012-01-30 2016-02-29 4 0 30
2012-01-30 2016-03-01 4 1 2 --Days will be 1 if calculated by the approach in accepted answer, since the day of birth will be changed to 30 from 29 after dateadd by years.
2011-12-30 2016-02-29 4 1 30
An short version of Days by case statement:
set #days = CASE WHEN day(#now) >= day(#dob) THEN day(#now) - day(#dob)
ELSE #days_in_birth_month - day(#dob) + day(#now) END
If you want the age of years and months only, it could be simpler
set #years = ( #now_i/100 - #dob_i/100)/100
set #months =(12 + month(#now) - month(#dob))%12
select #years,#months -- 1, 0
NOTE: A very useful link of SQL Server Date Formats
Here is a (slightly) simpler version:
CREATE PROCEDURE dbo.CalculateAge
#dayOfBirth datetime
AS
DECLARE #today datetime, #thisYearBirthDay datetime
DECLARE #years int, #months int, #days int
SELECT #today = GETDATE()
SELECT #thisYearBirthDay = DATEADD(year, DATEDIFF(year, #dayOfBirth, #today), #dayOfBirth)
SELECT #years = DATEDIFF(year, #dayOfBirth, #today) - (CASE WHEN #thisYearBirthDay > #today THEN 1 ELSE 0 END)
SELECT #months = MONTH(#today - #thisYearBirthDay) - 1
SELECT #days = DAY(#today - #thisYearBirthDay) - 1
SELECT #years, #months, #days
GO
The same sort of thing as a function.
create function [dbo].[Age](#dayOfBirth datetime, #today datetime)
RETURNS varchar(100)
AS
Begin
DECLARE #thisYearBirthDay datetime
DECLARE #years int, #months int, #days int
set #thisYearBirthDay = DATEADD(year, DATEDIFF(year, #dayOfBirth, #today), #dayOfBirth)
set #years = DATEDIFF(year, #dayOfBirth, #today) - (CASE WHEN #thisYearBirthDay > #today THEN 1 ELSE 0 END)
set #months = MONTH(#today - #thisYearBirthDay) - 1
set #days = DAY(#today - #thisYearBirthDay) - 1
return cast(#years as varchar(2)) + ' years,' + cast(#months as varchar(2)) + ' months,' + cast(#days as varchar(3)) + ' days'
end
create procedure getDatedifference
(
#startdate datetime,
#enddate datetime
)
as
begin
declare #monthToShow int
declare #dayToShow int
--set #startdate='01/21/1934'
--set #enddate=getdate()
if (DAY(#startdate) > DAY(#enddate))
begin
set #dayToShow=0
if (month(#startdate) > month(#enddate))
begin
set #monthToShow= (12-month(#startdate)+ month(#enddate)-1)
end
else if (month(#startdate) < month(#enddate))
begin
set #monthToShow= ((month(#enddate)-month(#startdate))-1)
end
else
begin
set #monthToShow= 11
end
-- set #monthToShow= convert(int, DATEDIFF(mm,0,DATEADD(dd,DATEDIFF(dd,0,#enddate)- DATEDIFF(dd,0,#startdate),0)))-((convert(int,FLOOR(DATEDIFF(day, #startdate, #enddate) / 365.25))*12))-1
if(#monthToShow<0)
begin
set #monthToShow=0
end
declare #amonthbefore integer
set #amonthbefore=Month(#enddate)-1
if(#amonthbefore=0)
begin
set #amonthbefore=12
end
if (#amonthbefore in(1,3,5,7,8,10,12))
begin
set #dayToShow=31-DAY(#startdate)+DAY(#enddate)
end
if (#amonthbefore=2)
begin
IF (YEAR( #enddate ) % 4 = 0 AND YEAR( #enddate ) % 100 != 0) OR YEAR( #enddate ) % 400 = 0
begin
set #dayToShow=29-DAY(#startdate)+DAY(#enddate)
end
else
begin
set #dayToShow=28-DAY(#startdate)+DAY(#enddate)
end
end
if (#amonthbefore in (4,6,9,11))
begin
set #dayToShow=30-DAY(#startdate)+DAY(#enddate)
end
end
else
begin
--set #monthToShow=convert(int, DATEDIFF(mm,0,DATEADD(dd,DATEDIFF(dd,0,#enddate)- DATEDIFF(dd,0,#startdate),0)))-((convert(int,FLOOR(DATEDIFF(day, #startdate, #enddate) / 365.25))*12))
if (month(#enddate)< month(#startdate))
begin
set #monthToShow=12+(month(#enddate)-month(#startdate))
end
else
begin
set #monthToShow= (month(#enddate)-month(#startdate))
end
set #dayToShow=DAY(#enddate)-DAY(#startdate)
end
SELECT
FLOOR(DATEDIFF(day, #startdate, #enddate) / 365.25) as [yearToShow],
#monthToShow as monthToShow ,#dayToShow as dayToShow ,
convert(varchar,FLOOR(DATEDIFF(day, #startdate, #enddate) / 365.25)) +' Year ' + convert(varchar,#monthToShow) +' months '+convert(varchar,#dayToShow)+' days ' as age
return
end
I use this Function I modified (the Days part) From #Dane answer: https://stackoverflow.com/a/57720/2097023
CREATE FUNCTION dbo.EdadAMD
(
#FECHA DATETIME
)
RETURNS NVARCHAR(10)
AS
BEGIN
DECLARE
#tmpdate DATETIME
, #years INT
, #months INT
, #days INT
, #EdadAMD NVARCHAR(10);
SELECT #tmpdate = #FECHA;
SELECT #years = DATEDIFF(yy, #tmpdate, GETDATE()) - CASE
WHEN (MONTH(#FECHA) > MONTH(GETDATE()))
OR (
MONTH(#FECHA) = MONTH(GETDATE())
AND DAY(#FECHA) > DAY(GETDATE())
) THEN
1
ELSE
0
END;
SELECT #tmpdate = DATEADD(yy, #years, #tmpdate);
SELECT #months = DATEDIFF(m, #tmpdate, GETDATE()) - CASE
WHEN DAY(#FECHA) > DAY(GETDATE()) THEN
1
ELSE
0
END;
SELECT #tmpdate = DATEADD(m, #months, #tmpdate);
IF MONTH(#FECHA) = MONTH(GETDATE())
AND DAY(#FECHA) > DAY(GETDATE())
SELECT #days =
DAY(EOMONTH(GETDATE(), -1)) - (DAY(#FECHA) - DAY(GETDATE()));
ELSE
SELECT #days = DATEDIFF(d, #tmpdate, GETDATE());
SELECT #EdadAMD = CONCAT(#years, 'a', #months, 'm', #days, 'd');
RETURN #EdadAMD;
END;
GO
It works pretty well.
I've seen the question several times with results outputting Years, Month, Days but never a numeric / decimal result. (At least not one that doesn't round incorrectly).
I welcome feedback on this function. Might not still need a little adjusting.
-- Input to the function is two dates.
-- Output is the numeric number of years between the two dates in Decimal(7,4) format.
-- Output is always always a possitive number.
-- NOTE:Output does not handle if difference is greater than 999.9999
-- Logic is based on three steps.
-- 1) Is the difference less than 1 year (0.5000, 0.3333, 0.6667, ect.)
-- 2) Is the difference exactly a whole number of years (1,2,3, ect.)
-- 3) (Else)...The difference is years and some number of days. (1.5000, 2.3333, 7.6667, ect.)
CREATE Function [dbo].[F_Get_Actual_Age](#pi_date1 datetime,#pi_date2 datetime)
RETURNS Numeric(7,4)
AS
BEGIN
Declare
#l_tmp_date DATETIME
,#l_days1 DECIMAL(9,6)
,#l_days2 DECIMAL(9,6)
,#l_result DECIMAL(10,6)
,#l_years DECIMAL(7,4)
--Check to make sure there is a date for both inputs
IF #pi_date1 IS NOT NULL and #pi_date2 IS NOT NULL
BEGIN
IF #pi_date1 > #pi_date2 --Make sure the "older" date is in #pi_date1
BEGIN
SET #l_tmp_date = #pi_date2
SET #pi_date2 = #Pi_date1
SET #pi_date1 = #l_tmp_date
END
--Check #1 If date1 + 1 year is greater than date2, difference must be less than 1 year
IF DATEADD(YYYY,1,#pi_date1) > #pi_date2
BEGIN
--How many days between the two dates (numerator)
SET #l_days1 = DATEDIFF(dd,#pi_date1, #pi_date2)
--subtract 1 year from date2 and calculate days bewteen it and date2
--This is to get the denominator and accounts for leap year (365 or 366 days)
SET #l_days2 = DATEDIFF(dd,dateadd(yyyy,-1,#pi_date2),#pi_date2)
SET #l_years = #l_days1 / #l_days2 -- Do the math
END
ELSE
--Check #2 Are the dates an exact number of years apart.
--Calculate years bewteen date1 and date2, then add the years to date1, compare dates to see if exactly the same.
IF DATEADD(YYYY,DATEDIFF(YYYY,#pi_date1,#pi_date2),#pi_date1) = #pi_date2
SET #l_years = DATEDIFF(YYYY,#pi_date1, #pi_date2) --AS Years, 'Exactly even Years' AS Msg
ELSE
BEGIN
--Check #3 The rest of the cases.
--Check if datediff, returning years, over or under states the years difference
SET #l_years = DATEDIFF(YYYY,#pi_date1, #pi_date2)
IF DATEADD(YYYY,#l_years,#pi_date1) > #pi_date2
SET #l_years = #l_years -1
--use basicly same logic as in check #1
SET #l_days1 = DATEDIFF(dd,DATEADD(YYYY,#l_years,#pi_date1), #pi_date2)
SET #l_days2 = DATEDIFF(dd,dateadd(yyyy,-1,#pi_date2),#pi_date2)
SET #l_years = #l_years + #l_days1 / #l_days2
--SELECT #l_years AS Years, 'Years Plus' AS Msg
END
END
ELSE
SET #l_years = 0 --If either date was null
RETURN #l_Years --Return the result as decimal(7,4)
END
`
Quite Old question, but I want to share what I have done to calculate age
Declare #BirthDate As DateTime
Set #BirthDate = '1994-11-02'
SELECT DATEDIFF(YEAR,#BirthDate,GETDATE()) - (CASE
WHEN MONTH(#BirthDate)> MONTH(GETDATE()) THEN 1
WHEN MONTH(#BirthDate)= MONTH(GETDATE()) AND DAY(#BirthDate) > DAY(GETDATE()) THEN 1
Else 0 END)
Are you trying to calculate the total days/months/years of an age? do you have a starting date? Or are you trying to dissect it (ex: 24 years, 1 month, 29 days)?
If you have a start date that you're working with, datediff will output the total days/months/years with the following commands:
Select DateDiff(d,'1984-07-12','2008-09-11')
Select DateDiff(m,'1984-07-12','2008-09-11')
Select DateDiff(yyyy,'1984-07-12','2008-09-11')
with the respective outputs being (8827/290/24).
Now, if you wanted to do the dissection method, you'd have to subtract the number of years in days (days - 365*years), and then do further math on that to get the months, etc.
Here is SQL code that gives you the number of years, months, and days since the sysdate.
Enter value for input_birth_date this format(dd_mon_yy). note: input same value(birth date) for years, months & days such as 01-mar-85
select trunc((sysdate -to_date('&input_birth_date_dd_mon_yy'))/365) years,
trunc(mod(( sysdate -to_date('&input_birth_date_dd_mon_yy'))/365,1)*12) months,
trunc((mod((mod((sysdate -to_date('&input_birth_date_dd_mon_yy'))/365,1)*12),1)*30)+1) days
from dual
DateTime values in T-SQL are stored as floats. You can just subtract the dates from each other and you now have a new date that is the timespan between them.
declare #birthdate datetime
set #birthdate = '6/15/1974'
--age in years - short version
print year(getdate() - #birthdate) - year(0)
--age in years - visualization
declare #mindate datetime
declare #span datetime
set #mindate = 0
set #span = getdate() - #birthdate
print #mindate
print #birthdate
print getdate()
print #span
--substract minyear from spanyear to get age in years
print year(#span) - year(#mindate)
print month(#span)
print day(#span)
CREATE FUNCTION DBO.GET_AGE
(
#DATE AS DATETIME
)
RETURNS VARCHAR(MAX)
AS
BEGIN
DECLARE #YEAR AS VARCHAR(50) = ''
DECLARE #MONTH AS VARCHAR(50) = ''
DECLARE #DAYS AS VARCHAR(50) = ''
DECLARE #RESULT AS VARCHAR(MAX) = ''
SET #YEAR = CONVERT(VARCHAR,(SELECT DATEDIFF(MONTH,CASE WHEN DAY(#DATE) > DAY(GETDATE()) THEN DATEADD(MONTH,1,#DATE) ELSE #DATE END,GETDATE()) / 12 ))
SET #MONTH = CONVERT(VARCHAR,(SELECT DATEDIFF(MONTH,CASE WHEN DAY(#DATE) > DAY(GETDATE()) THEN DATEADD(MONTH,1,#DATE) ELSE #DATE END,GETDATE()) % 12 ))
SET #DAYS = DATEDIFF(DD,DATEADD(MM,CONVERT(INT,CONVERT(INT,#YEAR)*12 + CONVERT(INT,#MONTH)),#DATE),GETDATE())
SET #RESULT = (RIGHT('00' + #YEAR, 2) + ' YEARS ' + RIGHT('00' + #MONTH, 2) + ' MONTHS ' + RIGHT('00' + #DAYS, 2) + ' DAYS')
RETURN #RESULT
END
SELECT DBO.GET_AGE('04/12/1986')
DECLARE #BirthDate datetime, #AgeInMonths int
SET #BirthDate = '10/5/1971'
SET #AgeInMonths -- Determine the age in "months old":
= DATEDIFF(MONTH, #BirthDate, GETDATE()) -- .Get the difference in months
- CASE WHEN DATEPART(DAY,GETDATE()) -- .If today was the 1st to 4th,
< DATEPART(DAY,#BirthDate) -- (or before the birth day of month)
THEN 1 ELSE 0 END -- ... don't count the month.
SELECT #AgeInMonths / 12 as AgeYrs -- Divide by 12 months to get the age in years
,#AgeInMonths % 12 as AgeXtraMonths -- Get the remainder of dividing by 12 months = extra months
,DATEDIFF(DAY -- For the extra days, find the difference between,
,DATEADD(MONTH, #AgeInMonths -- 1. Last Monthly Birthday
, #BirthDate) -- (if birthdays were celebrated monthly)
,GETDATE()) as AgeXtraDays -- 2. Today's date.
For the ones that want to create a calculated column in a table to store the age:
CASE WHEN DateOfBirth< DATEADD(YEAR, (DATEPART(YEAR, GETDATE()) - DATEPART(YEAR, DateOfBirth))*-1, GETDATE())
THEN DATEPART(YEAR, GETDATE()) - DATEPART(YEAR, DateOfBirth)
ELSE DATEPART(YEAR, GETDATE()) - DATEPART(YEAR, DateOfBirth) -1 END
There is an easy way, based on the hours between the two days BUT with the end date truncated.
SELECT CAST(DATEDIFF(hour,Birthdate,CAST(GETDATE() as Date))/8766.0 as INT) AS Age FROM <YourTable>
This one has proven to be extremely accurate and reliable. If it weren't for the inner CAST on the GETDATE() it might flip the birthday a few hours before midnight but, with the CAST, it is dead on with the age changing over at exactly midnight.
Here is how I calculate the age given a birth date and the current date.
select case
when cast(getdate() as date) = cast(dateadd(year, (datediff(year, '1996-09-09', getdate())), '1996-09-09') as date)
then dateDiff(yyyy,'1996-09-09',dateadd(year, 0, getdate()))
else dateDiff(yyyy,'1996-09-09',dateadd(year, -1, getdate()))
end as MemberAge
go
There is another method for calculate age is
See below table
FirstName LastName DOB
sai krishnan 1991-11-04
Harish S A 1998-10-11
For finding age,you can calculate through month
Select datediff(MONTH,DOB,getdate())/12 as dates from [Organization].[Employee]
Result will be
firstname dates
sai 27
Harish 20
I have created a function calculateAge that takes parameter dateOfBirth from outside and then it calculates the age in years, months and days and finally it returns in string format.
CREATE FUNCTION calculateAge(dateOfBirth datetime) RETURNS varchar(40)
BEGIN
set #currentdatetime = CURRENT_TIMESTAMP;
set #years = TIMESTAMPDIFF(YEAR,dateOfBirth,#currentdatetime);
set #months = TIMESTAMPDIFF(MONTH,dateOfBirth,#currentdatetime) - #years*12 ;
set #dayOfBirth = EXTRACT(DAY FROM dateOfBirth);
set #today = EXTRACT(DAY FROM #currentdatetime);
set #days = 0;
if (#today > #dayOfBirth) then
set #days = #today - #dayOfBirth;
else
set #decreaseMonth = DATE_SUB(#currentdatetime, INTERVAL 1 MONTH);
set #days = DATEDIFF(dateOfBirth, #decreaseMonth);
end if;
RETURN concat(concat( concat(#years , "years\n") , concat(#months , "months\n")), concat(#days , "days"));
END
Plenty of solutions have been given already, but I beleive this one to be both easy to understand and reliable, as it will handle leap years as well :
case when datepart(dayofyear, #birth) <= datepart(dayofyear, getdate())
then datepart(year, getdate()) - datepart(year, #birth)
else datepart(year, getdate()) - datepart(year, #birth) - 1
end
The idea is to simply compute the difference in years between the two years (birth and now), and substract 1 if the anniversary has not been reached for the current year.
declare #StartDate datetime = '2016-01-31'
declare #EndDate datetime = '2016-02-01'
SELECT #StartDate AS [StartDate]
,#EndDate AS [EndDate]
,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END AS [Years]
,DATEDIFF(Month,(DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate)),#EndDate) - CASE WHEN DATEADD(Month, DATEDIFF(Month,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate),#EndDate) , #StartDate) > #EndDate THEN 1 ELSE 0 END AS [Months]
,DATEDIFF(Day, DATEADD(Month,DATEDIFF(Month, (DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate)),#EndDate) - CASE WHEN DATEADD(Month, DATEDIFF(Month,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate),#EndDate) , #StartDate) > #EndDate THEN 1 ELSE 0 END ,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate)) ,#EndDate) - CASE WHEN DATEADD(Day,DATEDIFF(Day, DATEADD(Month,DATEDIFF(Month, (DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate)),#EndDate) - CASE WHEN DATEADD(Month, DATEDIFF(Month,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate),#EndDate) , #StartDate) > #EndDate THEN 1 ELSE 0 END ,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate)) ,#EndDate),DATEADD(Month,DATEDIFF(Month, (DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate)),#EndDate) - CASE WHEN DATEADD(Month, DATEDIFF(Month,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate),#EndDate) , #StartDate) > #EndDate THEN 1 ELSE 0 END ,DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate) - CASE WHEN DATEADD(Year,DATEDIFF(Year,#StartDate,#EndDate), #StartDate) > #EndDate THEN 1 ELSE 0 END,#StartDate))) > #EndDate THEN 1 ELSE 0 END AS [Days]
select DOB as Birthdate,
YEAR(GETDATE()) as ThisYear,
YEAR(getdate()) - EAR(date1) as Age
from TableName
SELECT DOB AS Birthdate ,
YEAR(GETDATE()) AS ThisYear,
YEAR(getdate()) - YEAR(DOB) AS Age
FROM tableprincejain
DECLARE #DoB AS DATE = '1968-10-24'
DECLARE #cDate AS DATE = CAST('2000-10-23' AS DATE)
SELECT
--Get Year difference
DATEDIFF(YEAR,#DoB,#cDate) -
--Cases where year difference will be augmented
CASE
--If Date of Birth greater than date passed return 0
WHEN YEAR(#DoB) - YEAR(#cDate) >= 0 THEN DATEDIFF(YEAR,#DoB,#cDate)
--If date of birth month less than date passed subtract one year
WHEN MONTH(#DoB) - MONTH(#cDate) > 0 THEN 1
--If date of birth day less than date passed subtract one year
WHEN MONTH(#DoB) - MONTH(#cDate) = 0 AND DAY(#DoB) - DAY(#cDate) > 0 THEN 1
--All cases passed subtract zero
ELSE 0
END
declare #BirthDate datetime
declare #TotalYear int
declare #TotalMonths int
declare #TotalDays int
declare #TotalWeeks int
declare #TotalHours int
declare #TotalMinute int
declare #TotalSecond int
declare #CurrentDtTime datetime
set #BirthDate='1998/01/05 05:04:00' -- Set Your date here
set #TotalYear= FLOOR(DATEDIFF(DAY, #BirthDate, GETDATE()) / 365.25)
set #TotalMonths= FLOOR(DATEDIFF(DAY,DATEADD(year, #TotalYear,#BirthDate),GetDate()) / 30.436875E)
set #TotalDays= FLOOR(DATEDIFF(DAY, DATEADD(month, #TotalMonths,DATEADD(year,
#TotalYear,#BirthDate)), GETDATE()))
set #CurrentDtTime=CONVERT(datetime,CONVERT(varchar(50), DATEPART(year,
GetDate()))+'/' +CONVERT(varchar(50), DATEPART(MONTH, GetDate()))
+'/'+ CONVERT(varchar(50),DATEPART(DAY, GetDate()))+' '
+ CONVERT(varchar(50),DATEPART(HOUR, #BirthDate))+':'+
CONVERT(varchar(50),DATEPART(MINUTE, #BirthDate))+
':'+ CONVERT(varchar(50),DATEPART(Second, #BirthDate)))
set #TotalHours = DATEDIFF(hour, #CurrentDtTime, GETDATE())
if(#TotalHours < 0)
begin
set #TotalHours = DATEDIFF(hour,DATEADD(Day,-1, #CurrentDtTime), GETDATE())
set #TotalDays= #TotalDays -1
end
set #TotalMinute= DATEPART(MINUTE, GETDATE())-DATEPART(MINUTE, #BirthDate)
if(#TotalMinute < 0)
set #TotalMinute = DATEPART(MINUTE, DATEADD(hour,-1,GETDATE()))+(60-DATEPART(MINUTE,
#BirthDate))
set #TotalSecond= DATEPART(Second, GETDATE())-DATEPART(Second, #BirthDate)
Print 'Your age are'+ CHAR(13)
+ CONVERT(varchar(50), #TotalYear)+' Years, ' +
CONVERT(varchar(50),#TotalMonths) +' Months, ' +
CONVERT(varchar(50),#TotalDays)+' Days, ' +
CONVERT(varchar(50),#TotalHours)+' Hours, ' +
CONVERT(varchar(50),#TotalMinute)+' Minutes, ' +
CONVERT(varchar(50),#TotalSecond)+' Seconds. ' +char(13)+
'Your are born at day of week was - ' + CONVERT(varchar(50),DATENAME(dw ,
#BirthDate ))
+char(13)+char(13)+
+'Your Birthdate to till date your '+ CHAR(13)
+'Years - ' + CONVERT(varchar(50), FLOOR(DATEDIFF(DAY, #BirthDate, GETDATE()) /
365.25))
+' , Months - ' + CONVERT(varchar(50),DATEDIFF(MM,#BirthDate,getdate()))
+' , Weeks - ' + CONVERT(varchar(50),DATEDIFF(wk,#BirthDate,getdate()))
+' , Days - ' + CONVERT(varchar(50),DATEDIFF(dd,#BirthDate,getdate()))+char(13)+
+'Hours - ' + CONVERT(varchar(50),DATEDIFF(HH,#BirthDate,getdate()))
+' , Minutes - ' + CONVERT(varchar(50),DATEDIFF(mi,#BirthDate,getdate()))
+' , Seconds - ' + CONVERT(varchar(50),DATEDIFF(ss,#BirthDate,getdate()))
Output
Your age are
22 Years, 0 Months, 2 Days, 11 Hours, 30 Minutes, 16 Seconds.
Your are born at day of week was - Monday
Your Birthdate to till date your
Years - 22 , Months - 264 , Weeks - 1148 , Days - 8037
Hours - 192899 , Minutes - 11573970 , Seconds - 694438216