完成函数judgeLeapYear(year),功能是判断某一年是否为闰年,是则返回“xxx年是闰年”,否则返回“xxx年不是闰年”。参数year是表示年份的四位数整数。用js
时间: 2024-09-10 16:05:57 浏览: 112
c++-03-判断某一年是否为闰年.rar
在JavaScript中,要编写一个函数`judgeLeapYear(year)`来判断给定的年份是否为闰年,可以遵循以下规则:
1. 如果年份能被4整除但不能被100整除,则是闰年。
2. 如果年份能被400整除,也是闰年。
其他情况则不是闰年。
基于这些规则,我们可以编写如下代码:
```javascript
function judgeLeapYear(year) {
// 判断是否为闰年的逻辑
if ((year % 4 === 0 && year % 100 !== 0) || (year % 400 === 0)) {
return `${year}年是闰年`;
} else {
return `${year}年不是闰年`;
}
}
// 示例调用
console.log(judgeLeapYear(2000)); // 输出:2000年是闰年
console.log(judgeLeapYear(1900)); // 输出:1900年不是闰年
console.log(judgeLeapYear(2020)); // 输出:2020年是闰年
console.log(judgeLeapYear(2021)); // 输出:2021年不是闰年
```
阅读全文