随机输入一串字符,统计其中字母的个数,空格的个数,数字的个数,其他字符的个数,并分别输出
时间: 2023-05-20 08:05:59 浏览: 95
好的,让我来回答你的问题。以下是统计字符的代码:
```python
input_str = input("请输入一串字符:")
letter_count = 0
space_count = 0
digit_count = 0
other_count = 0
for char in input_str:
if char.isalpha():
letter_count += 1
elif char.isspace():
space_count += 1
elif char.isdigit():
digit_count += 1
else:
other_count += 1
print("字母个数:", letter_count)
print("空格个数:", space_count)
print("数字个数:", digit_count)
print("其他字符个数:", other_count)
```
希望这个代码能够帮到你!
相关问题
用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!")
```
这样就能输出统计结果了。
从键盘输入一个字符串,统计其中字母的个数,数字字符的个数,空格的个数。其他字符的个数
下面是一个Python程序,可以实现输入一个字符串,统计其中字母的个数,数字字符的个数,空格的个数,以及其他字符的个数:
```python
str = input("请输入一个字符串:")
letters = 0
digits = 0
spaces = 0
others = 0
for i in range(len(str)):
if str[i].isalpha():
letters += 1
elif str[i].isdigit():
digits += 1
elif str[i].isspace():
spaces += 1
else:
others += 1
print("字母个数:", letters)
print("数字个数:", digits)
print("空格个数:", spaces)
print("其他字符个数:", others)
```
程序运行后,会要求用户输入一个字符串,然后通过循环遍历字符串的每个字符,判断字符是否是字母、数字、空格或其他字符,最终输出统计结果。
阅读全文