1. 周岁的理解
必须过了生日,才表示满周岁。例如:
- 2000-10-01出生,当前日期是2000-11-01,未满1周岁,算0周岁!
- 2000-10-01出生,当前日期是2005-10-01,未满5周岁,算4周岁(生日当天未过完)!
- 2000-10-01出生,当前日期是2005-10-02,已满5周岁了!
2. 所谓的“算法”
- 先看“年”,用当前年份减去生日年份得出年龄age
- 再看“月”,如果当前月份小于生日月份,说明未满周岁age,年龄age需减1;如果当前月份大于等于生日月份,则说明满了周岁age,计算over!
- 最后“日”,如果月份相等并且当前日小于等于出生日,说明仍未满周岁,年龄age需减1;反之满周岁age,over!
3. 上代码!
/**
* 根据生日计算当前周岁数
*/
public int getCurrentAge(Date birthday) {
// 当前时间
Calendar curr = Calendar.getInstance();
// 生日
Calendar born = Calendar.getInstance();
born.setTime(birthday);
// 年龄 = 当前年 - 出生年
int age = curr.get(Calendar.YEAR) - born.get(Calendar.YEAR);
if (age <= 0) {
return 0;
}
// 如果当前月份小于出生月份: age-1
// 如果当前月份等于出生月份, 且当前日小于出生日: age-1
int currMonth = curr.get(Calendar.MONTH);
int currDay = curr.get(Calendar.DAY_OF_MONTH);
int bornMonth = born.get(Calendar.MONTH);
int bornDay = born.get(Calendar.DAY_OF_MONTH);
if ((currMonth < bornMonth) || (currMonth == bornMonth && currDay <= bornDay)) {
age--;
}
return age < 0 ? 0 : age;
}
网友评论