输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。用c++,<iostream>
时间: 2024-06-04 13:11:12 浏览: 47
C++统计中英文大小写字母、数字、空格及其他字符个数的方法
#include <iostream>
#include <ctype.h> // 包含isdigit()和isalpha()函数的头文件
using namespace std;
int main()
{
char str[100];
int alpha_count = 0, space_count = 0, digit_count = 0, other_count = 0;
cout << "请输入一行字符: ";
cin.getline(str, 100);
for (int i = 0; str[i] != '\0'; i++)
{
if (isalpha(str[i])) // 如果是字母
{
alpha_count++;
}
else if (isspace(str[i])) // 如果是空格
{
space_count++;
}
else if (isdigit(str[i])) // 如果是数字
{
digit_count++;
}
else // 其他字符
{
other_count++;
}
}
cout << "英文字母个数: " << alpha_count << endl;
cout << "空格个数: " << space_count << endl;
cout << "数字个数: " << digit_count << endl;
cout << "其他字符个数: " << other_count << endl;
return 0;
}
阅读全文