Python program to calculate age in year



Python program to calculate age in year

Given birth date in y/m/d format, write a Python program to find the present age in years.

Examples:

Input : 1997/2/3
Output : 21 years (for present year i.e 2018)

Input : 2010/12/25
Output : 8 years (for present year i.e 2018)

 

Approach #2: Using datetime module
Python provides datetime module to deal with all datetime related issues in python. Using datetime we can find the age by subtracting birth year from current year. Along with this, we need to focus on the birth month and birthday. For this, we check if current month and date are less than birth month and date. If yes subtract 1 from age, otherwise 0.

# Python3 code to  calculate age in years
from datetime import date
def calculateAge(birthDate):
    today = date.today()
    age = today.year - birthDate.year -
         ((today.month, today.day) <
         (birthDate.month, birthDate.day))
    return age
    
# Driver code
print(calculateAge(date(1997, 2, 3)), "years")

Output:

21 years

 

Approach #3 : Efficient datetime approach
The above approaches do not deal with a special case i.e. when birth date is February 29 and the current year is not a leap year. This case has to be raised as an exception because the calculation of birthdate may be inaccurate. This method includes try and catch for this exception.

# Python3 code to  calculate age in years
from datetime import date
def calculateAge(born):
    today = date.today()
    try:
        birthday = born.replace(year = today.year)
    # raised when birth date is February 29
    # and the current year is not a leap year
    except ValueError:
        birthday = born.replace(year = today.year,
                  month = born.month + 1, day = 1)
    if birthday > today:
        return today.year - born.year - 1
    else:
        return today.year - born.year
        
# Driver code
print(calculateAge(date(1997, 2, 3)), "years")

Output:

21 years

 

Approach #4: Using division
In this approach, we calculate the number of date from the birth date till current date. Divide the number of date by the days in a year i.e 365.2425.

# Python3 code to  calculate age in years
from datetime import date
def calculateAge(birthDate):
    days_in_year = 365.2425
    age = int((date.today() - birthDate).days / days_in_year)
    return age
        
# Driver code
print(calculateAge(date(1997, 2, 3)), "years")

Output:

21 years

Last Updated on November 11, 2021 by admin

Leave a Reply

Your email address will not be published. Required fields are marked *

Recommended Blogs