用python统计不同字符个数。用户从键盘输入一行字符,编写一个程序,统计并输出其中英文字符、数字、空格和其他字符的个数。
时间: 2023-10-28 18:28:36 浏览: 53
python 输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数 (示例)
5星 · 资源好评率100%
可以使用 Python 的内置函数 `isalpha()`、`isdigit()` 和 `isspace()` 来判断字符是英文字符、数字还是空格,然后统计它们的数量。其他字符的数量可以用总字符数减去英文字符、数字和空格的数量。
下面是一个示例代码:
```python
line = input("请输入一行字符:")
alpha_count = 0
digit_count = 0
space_count = 0
other_count = 0
for char in line:
if char.isalpha():
alpha_count += 1
elif char.isdigit():
digit_count += 1
elif char.isspace():
space_count += 1
else:
other_count += 1
total_count = len(line)
print("英文字符个数:", alpha_count)
print("数字个数:", digit_count)
print("空格个数:", space_count)
print("其他字符个数:", other_count)
print("总字符个数:", total_count)
```
输入一行字符后,程序会输出该行字符中英文字符、数字、空格和其他字符的数量,以及总字符数量。
阅读全文