输入一行字符回车结束编程统计其中大写字母小写字母数字字符空格和其他字符的个数
时间: 2023-10-26 17:05:52 浏览: 119
```python
string = input("请输入一行字符:")
upper_count = 0
lower_count = 0
digit_count = 0
space_count = 0
other_count = 0
for char in string:
if char.isupper():
upper_count += 1
elif char.islower():
lower_count += 1
elif char.isdigit():
digit_count += 1
elif char.isspace():
space_count += 1
else:
other_count += 1
print("大写字母个数:", upper_count)
print("小写字母个数:", lower_count)
print("数字个数:", digit_count)
print("空格个数:", space_count)
print("其他字符个数:", other_count)
```
示例输出:
```
请输入一行字符:Hello, World! 123
大写字母个数: 2
小写字母个数: 8
数字个数: 3
空格个数: 2
其他字符个数: 2
```
相关问题
输入一行字符回车结束编程统计其中大写字母小写字母数字字符空格和其他字符的个数c语言
#include <stdio.h>
int main() {
char ch;
int upper = 0, lower = 0, digit = 0, space = 0, other = 0;
printf("请输入一行字符:\n");
while ((ch = getchar()) != '\n') {
if (ch >= 'A' && ch <= 'Z') {
upper++;
} else if (ch >= 'a' && ch <= 'z') {
lower++;
} else if (ch >= '0' && ch <= '9') {
digit++;
} else if (ch == ' ') {
space++;
} else {
other++;
}
}
printf("大写字母个数:%d\n", upper);
printf("小写字母个数:%d\n", lower);
printf("数字个数:%d\n", digit);
printf("空格个数:%d\n", space);
printf("其他字符个数:%d\n", other);
return 0;
}
输入一行字符,统计其中大写字母、小写字母、数字、空格和其他字符的个数
要统计一行字符中大写字母、小写字母、数字、空格和其他字符的个数,你可以使用C语言中的`ctype.h`库来检查每个字符的类型。以下是一个简单的程序示例:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input[100]; // 假设最多输入100个字符
fgets(input, sizeof(input), stdin); // 从标准输入读取一行字符
int uppercase = 0;
int lowercase = 0;
int digits = 0;
int spaces = 0;
int others = 0;
for (int i = 0; input[i] != '\0'; i++) { // 遍历输入字符串
if (isupper(input[i])) { // 检查是否为大写字母
uppercase++;
} else if (islower(input[i])) { // 检查是否为小写字母
lowercase++;
} else if (isdigit(input[i])) { // 检查是否为数字
digits++;
} else if (input[i] == ' ') { // 检查是否为空格
spaces++;
} else { // 其他字符(包括标点符号等)
others++;
}
}
printf("大写字母: %d\n", uppercase);
printf("小写字母: %d\n", lowercase);
printf("数字: %d\n", digits);
printf("空格: %d\n", spaces);
printf("其他字符: %d\n", others);
return 0;
}
```
在这个程序中,我们使用了`isupper()`、`islower()`、`isdigit()`函数分别检测字符是否为大写、小写和数字,而对空格和其他字符进行直接计数。运行这个程序后,它会显示每个类别字符的数量。
阅读全文