输入一行字符,用c++分别统计字母空格数字和其他字符的个数
时间: 2023-10-26 16:50:27 浏览: 165
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
当您输入一行字符时,可以使用C++编写以下代码来统计字母、空格、数字和其他字符的个数:
```cpp
#include <iostream>
#include <cctype>
int main() {
std::string line;
std::getline(std::cin, line); // 读取一行字符
int letterCount = 0;
int spaceCount = 0;
int digitCount = 0;
int otherCount = 0;
for (char c : line) {
if (std::isalpha(c)) { // 判断是否为字母
letterCount++;
} else if (std::isspace(c)) { // 判断是否为空格
spaceCount++;
} else if (std::isdigit(c)) { // 判断是否为数字
digitCount++;
} else { // 其他字符
otherCount++;
}
}
std::cout << "字母个数: " << letterCount << std::endl;
std::cout << "空格个数: " << spaceCount << std::endl;
std::cout << "数字个数: " << digitCount << std::endl;
std::cout << "其他字符个数: " << otherCount << std::endl;
return 0;
}
```
这段代码首先使用`std::getline`函数读取一行字符,并将其存储在`line`变量中。然后,通过遍历`line`中的每个字符,使用`std::isalpha`、`std::isspace`和`std::isdigit`等函数来判断每个字符的类型,并相应地增加对应的计数器。最后,输出各个计数器的值。
请注意,该代码假设您已经包含了相应的头文件`<iostream>`和`<cctype>`。
阅读全文