c++输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数
时间: 2023-11-23 09:56:49 浏览: 74
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
以下是C++统计输入字符串中各种字符个数的代码:
```c++
#include <iostream>
using namespace std;
int main()
{
char str[100];
int letter = 0, space = 0, digit = 0, other = 0;
cout << "请输入一行字符:" << endl;
cin.getline(str, 100); // 输入一行字符
for (int i = 0; str[i] != '\0'; i++) // 遍历字符串
{
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) // 判断是否为字母
letter++;
else if (str[i] == ' ') // 判断是否为空格
space++;
else if (str[i] >= '0' && str[i] <= '9') // 判断是否为数字
digit++;
else // 其他字符
other++;
}
cout << "字母个数:" << letter << endl;
cout << "空格个数:" << space << endl;
cout << "数字个数:" << digit << endl;
cout << "其他字符个数:" << other << endl;
return 0;
}
```
阅读全文