用c++实现 输入一行文字,最多80个字符,统计出其中英文大写字母,小写字母,数字,空格以及其他字符的个数。 要求在主函数中输入一行文字,并输出其中各种字符的个数;在count函数中统计出这行文字中英文大写字母, 小写字母,数字,空格以及其他字符的个数。
时间: 2024-04-30 15:18:52 浏览: 81
C++实验案例
以下是用 C++ 实现的代码:
```cpp
#include <iostream>
#include <cstring>
using namespace std;
void count(string str) {
int upper = 0, lower = 0, digit = 0, space = 0, other = 0;
for (int i = 0; i < str.length(); i++) {
if (str[i] >= 'A' && str[i] <= 'Z') {
upper++;
} else if (str[i] >= 'a' && str[i] <= 'z') {
lower++;
} else if (str[i] >= '0' && str[i] <= '9') {
digit++;
} else if (str[i] == ' ') {
space++;
} else {
other++;
}
}
cout << "大写字母个数:" << upper << endl;
cout << "小写字母个数:" << lower << endl;
cout << "数字个数:" << digit << endl;
cout << "空格个数:" << space << endl;
cout << "其他字符个数:" << other << endl;
}
int main() {
string str;
cout << "请输入一行文字(最多80个字符):" << endl;
getline(cin, str);
count(str);
return 0;
}
```
首先在主函数中输入一行文字,使用 getline 函数可以输入包含空格的字符串。然后调用 count 函数统计各种字符的个数,遍历字符串中的每个字符,判断其属于哪种类型的字符,最后输出各种字符的个数。
阅读全文