c++ 编写程序输入一个以回车结束的字符串(小于80个字符)分别统计其中英文字母、数字、其他字符的个数
时间: 2024-01-09 12:14:49 浏览: 58
以下是使用 C++ 编写的程序,可以实现输入一个字符串并统计其中的英文字母、数字和其他字符的个数:
```c++
#include <iostream>
#include <cstring>
using namespace std;
int main() {
char str[80];
int letter = 0, digit = 0, other = 0;
cout << "请输入一个字符串(小于80个字符):" << endl;
cin.getline(str, 80); // 输入一个以回车结束的字符串
// 统计字符串中的英文字母、数字和其他字符的个数
for (int i = 0; i < strlen(str); i++) {
if (isalpha(str[i])) {
letter++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
// 输出统计结果
cout << "英文字母个数:" << letter << endl;
cout << "数字个数:" << digit << endl;
cout << "其他字符个数:" << other << endl;
return 0;
}
```
程序运行结果示例:
```
请输入一个字符串(小于80个字符):
Hello 123!@#
英文字母个数:5
数字个数:3
其他字符个数:4
```
阅读全文