字符串构成 题目 输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数。 程序分析 利用 while 或 for 语句,条件为输入的字符不为 ‘\n’。用python语言写程序
时间: 2024-12-25 20:26:19 浏览: 8
在Python中,你可以通过遍历用户输入的每一字符,并利用`str.isalpha()`, `str.isspace()`, 和`str.isdigit()`方法来判断字符的类别,然后累加计数。下面是一个简单的程序实现:
```python
def count_chars(input_string):
alpha_count = 0
space_count = 0
digit_count = 0
other_count = 0
# 遍历字符串中的每个字符
for char in input_string:
if char != '\n': # 跳过换行符
if char.isalpha():
alpha_count += 1
elif char.isspace():
space_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
return alpha_count, space_count, digit_count, other_count
input_string = input("请输入一行字符:")
alpha, space, digit, other = count_chars(input_string)
print(f"字母:{alpha} 空格:{space} 数字:{digit} 其他字符:{other}")
阅读全文