Golang : How to determine if a year is leap year?
A leap year is a year with 366 days instead of 365 days. The algorithm to calculate if a year is a leap can be summarized like :
if year is divisible by 400 then
is_leap_year
else if year is divisible by 100 then
not_leap_year
else if year is divisible by 4 then
is_leap_year
else
not_leap_year
However, we are not going to implement this algorithm, but rather get the number of days in a given year and determine if that particular year is a leap year or not.
Here you go!
package main
import (
"fmt"
"time"
)
func IsLeapYear(y int) bool {
//Thirty days hath September,
//April, June and November;
//February has twenty eight alone
//All the rest have thirty-one
//Except in Leap Year, that's the time
//When February's Days are twenty-nine
// convert int to Time - use the last day of the year, which is 31st December
year := time.Date(y, time.December, 31, 0, 0, 0, 0, time.Local)
days := year.YearDay()
if days > 365 {
return true
} else {
return false
}
}
func main() {
fmt.Println("1998 is leap year? ", IsLeapYear(1998))
fmt.Println("1997 is leap year? ", IsLeapYear(1997))
fmt.Println("1996 is leap year? ", IsLeapYear(1996))
fmt.Println("1995 is leap year? ", IsLeapYear(1995))
}
Output :
1998 is leap year? false
1997 is leap year? false
1996 is leap year? true
1995 is leap year? false
References :
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+10.8k Android Studio : Simple input textbox and intercept key example
+11.8k Golang : Convert(cast) float to int
+22k Golang : Upload big file (larger than 100MB) to AWS S3 with multipart upload
+9.6k Golang : Accessing content anonymously with Tor
+22.8k Generate checksum for a file in Go
+5.7k Fix fatal error: evacuation not done in time problem
+12.8k Golang : Send data to /dev/null a.k.a blackhole with ioutil.Discard
+17.1k Golang : Get number of CPU cores
+5.5k Golang : PGX CopyFrom to insert rows into Postgres database
+10.3k Golang : How to profile or log time spend on execution?
+27.6k Golang : Convert integer to binary, octal, hexadecimal and back to integer
+11.3k Golang : How to determine a prime number?