Get age from date of birth

Possible duplicate:
Calculate age in JavaScript

At some point in my JS code, I have a jquery date object that is the person’s birth date. I want to calculate the age of a person by his date of birth.

Can anyone give some sample code on how to achieve this.

+8
javascript jquery date
source share
3 answers

Try this feature ...

function calculate_age(birth_month,birth_day,birth_year) { today_date = new Date(); today_year = today_date.getFullYear(); today_month = today_date.getMonth(); today_day = today_date.getDate(); age = today_year - birth_year; if ( today_month < (birth_month - 1)) { age--; } if (((birth_month - 1) == today_month) && (today_day < birth_day)) { age--; } return age; } 

OR

 function getAge(dateString) { var today = new Date(); var birthDate = new Date(dateString); var age = today.getFullYear() - birthDate.getFullYear(); var m = today.getMonth() - birthDate.getMonth(); if (m < 0 || (m === 0 && today.getDate() < birthDate.getDate())) { age--; } return age; } 

See the demo.

+38
source share

Jsfiddle

You can count using dates.

 var birthdate = new Date("1990/1/1"); var cur = new Date(); var diff = cur-birthdate; // This is the difference in milliseconds var age = Math.floor(diff/31557600000); // Divide by 1000*60*60*24*365.25 
+20
source share
 function getAge(birthday) { var today = new Date(); var thisYear = 0; if (today.getMonth() < birthday.getMonth()) { thisYear = 1; } else if ((today.getMonth() == birthday.getMonth()) && today.getDate() < birthday.getDate()) { thisYear = 1; } var age = today.getFullYear() - birthday.getFullYear() - thisYear; return age; } 

Jsfiddle

+4
source share

All Articles