python键盘输入一串字符串统计里面各种字符串类型的个数代码展示
时间: 2024-05-03 07:20:37 浏览: 108
好的,下面是Python代码展示:
```python
str_input = input("请输入一串字符串:") # 获取键盘输入的字符串
count_letters = 0 # 字母个数
count_numbers = 0 # 数字个数
count_spaces = 0 # 空格个数
count_others = 0 # 其它字符个数
for i in str_input:
if i.isalpha(): # 判断是否为字母
count_letters += 1
elif i.isdigit(): # 判断是否为数字
count_numbers += 1
elif i.isspace(): # 判断是否为空格
count_spaces += 1
else:
count_others += 1
print("字母个数:", count_letters)
print("数字个数:", count_numbers)
print("空格个数:", count_spaces)
print("其它字符个数:", count_others)
```
希望能对你有所帮助,如果你还有其他问题,请随时提出。
相关问题
python从键盘输入一个字符串分别统计其中的英文、空格、数字和其他字符的个数
Python中可以使用内置的`str`函数以及一些标准库模块如`string`来进行这个操作。首先,我们需要获取用户的输入,然后遍历字符串并统计不同类型的字符。下面是一个简单的步骤:
```python
def count_characters():
user_input = input("请输入一个字符串: ")
# 初始化计数器
num_letters = 0 # 英文字符
num_spaces = 0 # 空格
num_digits = 0 # 数字
other_chars = 0 # 其他字符(非字母和数字)
# 判断每个字符类型
for char in user_input:
if char.isalpha(): # 检查是否为字母
num_letters += 1
elif char.isspace(): # 检查是否为空格
num_spaces += 1
elif char.isdigit(): # 检查是否为数字
num_digits += 1
else: # 其他字符
other_chars += 1
print(f"英文字符数量: {num_letters}")
print(f"空格数量: {num_spaces}")
print(f"数字数量: {num_digits}")
print(f"其他字符数量: {other_chars}")
count_characters()
```
当你运行这段代码时,它会提示用户输入一个字符串,并显示各类型字符的数量。
python #2、从键盘输入一个字符串,分别统计其中英文字母、空格、数字和其它字符的个数?代码
在Python中,你可以通过内置函数和正则表达式库`re`来完成这个任务。下面是一个简单的代码示例:
```python
def count_chars():
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(f"英文字母:{letter_count}")
print(f"空格:{space_count}")
print(f"数字:{digit_count}")
print(f"其他字符:{other_count}")
count_chars()
```
运行此程序后,用户会被提示输入一个字符串,程序会统计并打印出其中各字符类型的数量。注意,`isalpha()`、`isspace()` 和 `isdigit()` 分别用于检查字符是否为字母、空格和数字。`else` 子句用于处理所有非字母、非空格和非数字的情况。
阅读全文