Python 从键盘输入一行字符,统计并输出其中英文字符(大小写分开)、数字和其它字符的个数。
时间: 2024-10-21 13:14:33 浏览: 17
在Python中,你可以使用内置的`isalnum()`、`isdigit()`和`isascii()`函数来判断输入的字符是否为字母、数字或ASCII字符(即非字母和数字的其他字符)。下面是一个简单的程序示例:
```python
input_str = input("请输入一行字符:") # 获取用户输入
# 初始化计数器
alpha_count = 0 # 英文字符(包括大小写)
digit_count = 0 # 数字
other_count = 0 # 其他字符
for char in input_str:
if char.isalnum(): # 判断是否为字母或数字
if char.islower() or char.isupper(): # 分别统计大小写字母
alpha_count += 1
else:
digit_count += 1
elif char.isascii(): # ASCII字符(非字母和数字)
other_count += 1
print(f"英文字符(大小写分开): {alpha_count}")
print(f"数字: {digit_count}")
print(f"其他字符: {other_count}")
相关问题
编写一个函数统计不同字符个数。用户从键盘输入一行字符,统计并输出其中英文大写字符,小写字符,数字和其它字符的个数。用return返回并输出。
好的,这是一个技术问题,非常适合我来回答。以下是一个Python代码示例,它可以统计输入字符串中英文字母大小写、数字和其他字符的个数:
```Python
def count_chars(input_string):
upper_count = 0
lower_count = 0
digit_count = 0
other_count = 0
for char in input_string:
if char.isupper():
upper_count += 1
elif char.islower():
lower_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
return f"大写英文字母个数:{upper_count},小写英文字母个数:{lower_count},数字个数:{digit_count},其他字符个数:{other_count}。"
input_string = input("请输入一行字符:")
result = count_chars(input_string)
print(result)
```
希望这个代码能够帮助您。如果您有任何其他技术问题,欢迎再次向我提问。
python 从键盘输入一个字符串,分别统计数字,字母(包括大小写)和其他字符的个数,输出每个字符及其个数。要求:用字典进行统计。
str = input("请输入一个字符串:")
num = 0
alpha = 0
other = 0
for i in str:
if i.isdigit():
num += 1
elif i.isalpha():
alpha += 1
else:
other += 1
dict = {'数字':num, '字母':alpha, '其他字符':other}
print("每个字符及其个数为:")
for key, value in dict.items():
print(key, ":", value)
阅读全文