C++输入一行字符,统计其中的各类字符的个数,包括小写英文字符,大写英文字符,数字字符,空格,其他。
时间: 2023-06-25 17:03:44 浏览: 203
可以使用C++标准库中的字符串和字符处理函数来实现这个功能。以下是一种可能的实现方式:
```cpp
#include <iostream>
#include <string>
#include <cctype>
int main() {
std::string input;
std::getline(std::cin, input); // 读入一行字符串
int lowercase = 0;
int uppercase = 0;
int digits = 0;
int spaces = 0;
int other = 0;
for (char c : input) { // 遍历字符串中的每个字符
if (std::islower(c)) {
lowercase++;
} else if (std::isupper(c)) {
uppercase++;
} else if (std::isdigit(c)) {
digits++;
} else if (std::isspace(c)) {
spaces++;
} else {
other++;
}
}
std::cout << "Lowercase letters: " << lowercase << std::endl;
std::cout << "Uppercase letters: " << uppercase << std::endl;
std::cout << "Digits: " << digits << std::endl;
std::cout << "Spaces: " << spaces << std::endl;
std::cout << "Other characters: " << other << std::endl;
return 0;
}
```
在上面的代码中,我们首先读入一行字符串,然后使用一个循环遍历字符串中的每个字符。对于每个字符,我们使用`std::islower`、`std::isupper`、`std::isdigit`和`std::isspace`函数来判断它属于哪一类字符,然后相应地增加计数器。最后,我们输出各类字符的个数。
阅读全文