统计不同字符个数。用户从键盘输入一行字符,编写一个程序,统计并输出其中英文字符、数字、空格和其他字符的个数python
时间: 2024-10-10 15:03:39 浏览: 39
统计键盘输入字符、数字个数.zip
为了编写一个Python程序,用于统计用户输入的一行字符中英文字符、数字、空格和其他字符的数量,你可以使用内置的字符串方法以及isalpha()、isdigit()、isspace()等函数。下面是一个简单的示例:
```python
def count_characters(input_string):
# 初始化计数器
alpha_count = 0
digit_count = 0
space_count = 0
others_count = 0
# 遍历输入字符串中的每个字符
for char in input_string:
if char.isalpha(): # 判断是否为字母
alpha_count += 1
elif char.isdigit(): # 判断是否为数字
digit_count += 1
elif char.isspace(): # 判断是否为空格
space_count += 1
else: # 其他字符(包括标点符号等)
others_count += 1
return alpha_count, digit_count, space_count, others_count
# 获取用户输入
input_text = input("请输入一行字符:")
# 调用函数并打印结果
alpha, digit, space, other = count_characters(input_text)
print(f"英文字符数量:{alpha}")
print(f"数字数量:{digit}")
print(f"空格数量:{space}")
print(f"其他字符数量:{other}")
阅读全文