C++输人一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。
时间: 2024-03-22 15:14:22 浏览: 37
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
可以使用字符数组来读入一行字符,然后遍历每个字符统计它们的类型。下面是一个示例代码:
```c++
#include <iostream>
using namespace std;
int main() {
char str[100];
int letter_count = 0, space_count = 0, digit_count = 0, other_count = 0;
cout << "请输入一行字符:";
cin.getline(str, 100);
for (int i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
letter_count++;
} else if (isspace(str[i])) {
space_count++;
} else if (isdigit(str[i])) {
digit_count++;
} else {
other_count++;
}
}
cout << "英文字母个数:" << letter_count << endl;
cout << "空格个数:" << space_count << endl;
cout << "数字个数:" << digit_count << endl;
cout << "其他字符个数:" << other_count << endl;
return 0;
}
```
注:`isalpha`、`isspace`、`isdigit` 是 C++ 标准库中的函数,用于判断字符的类型。
阅读全文