输入一行字符分别统计英文字母空格数字其他字符的个数
时间: 2024-10-07 08:02:50 浏览: 39
输入一行字符后,要统计英文字母、空格、数字和其他字符的数量,可以编写一段简单的程序来实现这个任务。这里我会给出一种Python语言的简单示例:
```python
def count_chars(line):
letter_count = sum(1 for char in line if char.isalpha()) # 英文字母
space_count = line.count(' ') # 空格
digit_count = sum(1 for char in line if char.isdigit()) # 数字
other_count = len(line) - letter_count - space_count - digit_count # 其他字符
return letter_count, space_count, digit_count, other_count
# 使用示例
input_line = "Hello World! This is an example with 123 and special characters."
letters, spaces, digits, others = count_chars(input_line)
print(f"字母: {letters}, 空格: {spaces}, 数字: {digits}, 其他字符: {others}")
相关问题
输入一行字符分别统计英文字母空格数字和其他字符的个数
好的,以下是Python代码实现:
```
str = input("请输入一行字符:")
letters = 0
space = 0
digit = 0
others = 0
for i in str:
if i.isalpha():
letters += 1
elif i.isspace():
space += 1
elif i.isdigit():
digit += 1
else:
others += 1
print("英文字母个数为:", letters)
print("空格个数为:", space)
print("数字个数为:", digit)
print("其他字符个数为:", others)
```
输入一行字符后,程序会遍历每个字符,逐个判断其属于哪一类字符,并累加计数。最后输出各类字符的个数。
输入一行字符分别统计英文字母空格数字和其他字符的个数用C语言
以下是一个简单的 C 语言程序,可以输入一行字符并统计其中英文字母、空格、数字和其他字符的个数。
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, alpha, space, digit, other;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
alpha = space = digit = other = 0;
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
alpha++;
} else if (isspace(str[i])) {
space++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
printf("英文字母个数:%d\n", alpha);
printf("空格个数:%d\n", space);
printf("数字个数:%d\n", digit);
printf("其他字符个数:%d\n", other);
return 0;
}
```
在程序中,我们定义了一个字符数组 `str`,用于存储输入的一行字符。然后,我们定义了四个变量 `alpha`、`space`、`digit` 和 `other`,分别表示英文字母、空格、数字和其他字符的个数,初始化为 0。
接下来,我们使用 `fgets()` 函数从标准输入中读取一行字符,并将其存储在 `str` 中。然后,我们使用一个循环来遍历这个字符串,对于每个字符,我们使用 `isalpha()`、`isspace()` 和 `isdigit()` 函数来判断它是英文字母、空格还是数字。如果不是这三种字符,则为其他字符。
最后,我们输出统计结果,即英文字母、空格、数字和其他字符的个数。
注意:上述程序中使用了 C 标准库中的 `isalpha()`、`isspace()` 和 `isdigit()` 函数,需要包含头文件 `<ctype.h>`。
阅读全文