c语言程序输入20个有符号整数,统计正整数、零、负整数的个数
时间: 2023-06-12 12:07:52 浏览: 127
可以使用一个循环来遍历输入的20个数,然后使用条件语句判断每个数的正负性并统计个数。具体代码如下:
```c
#include <stdio.h>
int main() {
int positive_count = 0, zero_count = 0, negative_count = 0;
int num;
for (int i = 0; i < 20; i++) {
printf("请输入第%d个整数:", i + 1);
scanf("%d", &num);
if (num > 0) {
positive_count++;
} else if (num == 0) {
zero_count++;
} else {
negative_count++;
}
}
printf("正整数个数:%d\n", positive_count);
printf("零的个数:%d\n", zero_count);
printf("负整数个数:%d\n", negative_count);
return 0;
}
```
这段代码首先定义了三个变量用来记录正整数、零和负整数的个数,然后使用 for 循环遍历输入的20个数。在循环中,使用 scanf() 函数获取用户输入的数,然后使用条件语句判断数的正负性,并分别累加相应的计数器。最后,使用 printf() 函数输出正整数、零和负整数的个数即可。
阅读全文