c语言中用顺序结构统计闰年个数
时间: 2024-12-13 09:24:49 浏览: 14
在 C 语言中,我们可以使用顺序结构(如 for 循环)来统计闰年的个数。首先,我们需要定义闰年的条件:能被 4 整除但不能被 100 整除的年份是闰年;但是如果这个年份同时能被 400 整除,则它依然是闰年。
下面是一个简单的示例程序:
```c
#include <stdio.h>
int is_leap_year(int year) {
if (year % 4 == 0 && (year % 100 != 0 || year % 400 == 0)) {
return 1; // 是闰年,返回 1
} else {
return 0; // 非闰年,返回 0
}
}
int count_leap_years(int years[], int size) {
int leap_count = 0;
for (int i = 0; i < size; i++) {
if (is_leap_year(years[i])) {
leap_count++;
}
}
return leap_count;
}
int main() {
int years[] = {1900, 2000, 2004, 1700, 2020};
int num_years = sizeof(years) / sizeof(years[0]);
int leap_years_count = count_leap_years(years, num_years);
printf("在给定的年份数组中有 %d 个闰年。\n", leap_years_count);
return 0;
}
```
在这个程序中,`is_leap_year` 函数用于检查单个年份是否为闰年,`count_leap_years` 函数则遍历整个年份数组并计算闰年的个数。
阅读全文