可能重复:
在 JavaScript 中计算年龄
在我的 JS 代码的某些点中,我有 jquery 日期对象,它是人的出生日期。我想根据他的出生日期计算一个人的年龄。
任何人都可以提供如何实现这一目标的示例代码。
可能重复:
在 JavaScript 中计算年龄
在我的 JS 代码的某些点中,我有 jquery 日期对象,它是人的出生日期。我想根据他的出生日期计算一个人的年龄。
任何人都可以提供如何实现这一目标的示例代码。
试试这个功能...
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;
}
或者
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;
}
[见演示。][1][1]:http://jsfiddle.net/mkginfo/LXEHp/7/
您可以使用日期进行计算。
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
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;
}