c++随意统计输入的字符串中的字母 数字 空格 和其他字符的个数
时间: 2023-11-22 09:47:16 浏览: 105
下面是一个C++程序,可以统计输入的字符串中的字母、数字、空格和其他字符的个数:
```cpp
#include <iostream>
#include <cstring>
using namespace std;
int main() {
char str[100];
int letter = 0, digit = 0, space = 0, other = 0;
cout << "请输入一个字符串:"; cin.getline(str, 100);
for (int i = 0; i < strlen(str); i++) {
if (isalpha(str[i])) {
letter++;
} else if (isdigit(str[i])) {
digit++;
} else if (isspace(str[i])) {
space++;
} else {
other++;
}
}
cout << "该字符串中有,字母:" << letter << "个,数字:" << digit << "个,空格:" << space << "个,其他字符:" << other << "个" << endl;
return 0;
}
```
程序中使用了isalpha、isdigit和isspace等函数来判断字符的类型,然后根据不同的类型进行计数。需要注意的是,输入字符串时使用了cin.getline函数,这是为了避免输入字符串中包含空格时只能读取到空格前面的部分。
阅读全文