¿Cómo puedo verificar si un año es bisiesto?Verificar el año bisiesto
tengo este código:
declare @year int
set @year = 1968
SELECT CASE WHEN @YEAR = <LEAPYEAR> THEN 'LEAP YEAR' ELSE 'NORMAL YEAR' END
Resultado esperado:
LEAP YEAR
¿Cómo puedo verificar si un año es bisiesto?Verificar el año bisiesto
tengo este código:
declare @year int
set @year = 1968
SELECT CASE WHEN @YEAR = <LEAPYEAR> THEN 'LEAP YEAR' ELSE 'NORMAL YEAR' END
Resultado esperado:
LEAP YEAR
Comprobar para el 29 de febrero:
CASE WHEN ISDATE(CAST(@YEAR AS char(4)) + '0229') = 1 THEN 'LEAP YEAR' ELSE 'NORMAL YEAR' END
o utilizar la siguiente regla
CASE WHEN (@YEAR % 4 = 0 AND @YEAR % 100 <> 0) OR @YEAR % 400 = 0 THEN 'LEAP YEAR'...
Año bisiesto cálculo:
(@year % 4 = 0) and (@year % 100 != 0) or (@year % 400 = 0)
Cuando esto es cierto, entonces es un año bisiesto. O, para decirlo en caso de declaración
select case when
(
(@year % 4 = 0) and (@year % 100 != 0) or
(@year % 400 = 0)
) then 'LEAP' else 'USUAL' end
;
Esta expresión nunca puede ser verdadera ... – gbn
actualizó un 'Y' de la misma manera que lo hizo en su respuesta actualizada. Lo estaba probando en SQL para probarlo. Así que ambos respondimos con el mismo cálculo. –
tengo una mejor solución
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
no dude en utilizar
select
CASE
WHEN result = 0 THEN 'Leap_Year'
WHEN result <> 0 THEN 'Not_A_Leap_Year'
END
from(select mod((EXTRACT(YEAR FROM DATE '2013-08-23')), 4) result FROM DUAL);
esto no es sql-server y la matemática de atrás es incorrecta –
El módulo de prueba 4 no es suficiente. Vea aquí: [http://stackoverflow.com/a/725111/818827](http://stackoverflow.com/a/725111/818827) –
select decode(mod(&n,4),0,'leap year' ,'not a leapyear') as CHECK_LEAPYEAR from dual
Pruebe esto Chicos, es simple –
Sí, no es demasiado complicado –
esto no es sql-server y la matemática detrás es incorrecta –
Esto también podría ayudar a
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
fi ¡el primero es brillante! – Alex
Exactamente lo que necesitaba, ¡gracias! – Lexi847942