使用cplusplus不使用函数写一个输入一行字符(假设不超过200个字符),分别统计出其中的英文字母、空格、数字、其它字符
时间: 2024-05-25 13:18:32 浏览: 89
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
#include <iostream>
using namespace std;
int main() {
char str[201]; // 定义字符数组,最大长度为200,加上末尾的'\0',总长度为201
cin.getline(str, 201); // 输入一行字符,存储到字符数组中
int letter = 0, space = 0, digit = 0, other = 0; // 统计英文字母、空格、数字、其它字符的数量
for (int i = 0; str[i] != '\0'; i++) { // 遍历字符数组,直到遇到末尾的'\0'
if (isalpha(str[i])) { // 判断是否为英文字母
letter++;
} else if (isspace(str[i])) { // 判断是否为空格
space++;
} else if (isdigit(str[i])) { // 判断是否为数字
digit++;
} else { // 其它字符
other++;
}
}
cout << "英文字母的数量为:" << letter << endl;
cout << "空格的数量为:" << space << endl;
cout << "数字的数量为:" << digit << endl;
cout << "其它字符的数量为:" << other << endl;
return 0;
}
阅读全文