用c++编写一段程序,分别统计长度小于80的字符串中,字母、数字、空格和其它字符出现的次数
时间: 2024-02-13 15:06:03 浏览: 58
C++统计中英文大小写字母、数字、空格及其他字符个数的方法
5星 · 资源好评率100%
好的,下面是代码实现:
```c++
#include <iostream>
#include <string>
#include <cctype> // 用于判断字符的类型
using namespace std;
int main()
{
string str;
int letterCount = 0, digitCount = 0, spaceCount = 0, otherCount = 0;
cout << "请输入一段字符串(长度小于80):";
getline(cin, str);
for (char c : str) // 遍历字符串中的每个字符
{
if (isalpha(c)) // 判断是否为字母
{
letterCount++;
}
else if (isdigit(c)) // 判断是否为数字
{
digitCount++;
}
else if (isspace(c)) // 判断是否为空格
{
spaceCount++;
}
else // 其它字符
{
otherCount++;
}
}
cout << "字母出现次数:" << letterCount << endl;
cout << "数字出现次数:" << digitCount << endl;
cout << "空格出现次数:" << spaceCount << endl;
cout << "其它字符出现次数:" << otherCount << endl;
return 0;
}
```
输入一段字符串后,程序会遍历每个字符,并统计各种类型字符出现的次数,最后输出结果。
阅读全文