从键盘输入若干字符串,分别统计英文字母空格数字和其他字符的个数
时间: 2023-11-07 07:07:37 浏览: 81
好的,以下是实现代码:
```python
string = input("请输入字符串:")
letters = 0
spaces = 0
digits = 0
others = 0
for char in string:
if char.isalpha():
letters += 1
elif char.isspace():
spaces += 1
elif char.isdigit():
digits += 1
else:
others += 1
print("英文字母个数:", letters)
print("空格个数:", spaces)
print("数字个数:", digits)
print("其他字符个数:", others)
```
输入一个字符串后,程序会遍历字符串中的每个字符,通过 `isalpha()`、`isspace()`、`isdigit()` 判断字符类型并累加个数,最后输出统计结果。
相关问题
用Python定义一个函数输入一行字符串分别统计其中英文字母空格数字和其他字符个数英文字母空格数字和其他字符的个数
好的,我理解了你的要求。下面是用 Python 实现的函数,可以对输入的字符串进行统计:
```python
def count_chars(s):
# 初始化计数器
num_alpha = 0 # 英文字母个数
num_space = 0 # 空格个数
num_digit = 0 # 数字个数
num_other = 0 # 其他字符个数
# 遍历字符串中的每一个字符
for c in s:
if c.isalpha(): # 判断是否为英文字母
num_alpha += 1
elif c.isspace(): # 判断是否为空格
num_space += 1
elif c.isdigit(): # 判断是否为数字
num_digit += 1
else: # 其他字符
num_other += 1
# 输出统计结果
print("英文字母个数:", num_alpha)
print("空格个数:", num_space)
print("数字个数:", num_digit)
print("其他字符个数:", num_other)
```
你可以调用这个函数,把你想要统计的字符串作为参数传入即可,比如:
```python
count_chars("Hello 123 world!")
```
这样就能输出统计结果了。
输入一行字符分别统计英文字母空格数字和其他字符的个数用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>`。
阅读全文