输入一行字符,用python分别统计出其中英文字母、空格、数字和其它字符的个数
时间: 2023-11-15 22:06:37 浏览: 233
好的,以下是Python代码实现:
```python
str = input("请输入一行字符:") # 获取用户输入的字符串
alphabets = 0 # 统计英文字母个数
spaces = 0 # 统计空格个数
digits = 0 # 统计数字个数
others = 0 # 统计其他字符个数
for char in str:
if char.isalpha(): # 判断是否为英文字母
alphabets += 1
elif char.isspace(): # 判断是否为空格
spaces += 1
elif char.isdigit(): # 判断是否为数字
digits += 1
else:
others += 1
print("英文字母个数:", alphabets)
print("空格个数:", spaces)
print("数字个数:", digits)
print("其他字符个数:", others)
```
运行程序后,输入一行字符,程序将会输出该行字符中英文字母、空格、数字和其他字符的个数。
相关问题
Python输入一行字符,分别统计出其中英文字母空格数字和标点符号的个数
好的,可以通过以下代码实现该功能:
```python
s = input("请输入一行字符:") # 输入字符串
letter = 0 # 统计字母个数
space = 0 # 统计空格个数
digit = 0 # 统计数字个数
punct = 0 # 统计标点符号个数
# 遍历字符串,判断每个字符的类型
for c in s:
if c.isalpha(): # 判断是否为字母
letter += 1
elif c.isspace(): # 判断是否为空格
space += 1
elif c.isdigit(): # 判断是否为数字
digit += 1
elif c in "!\"#$%&'()*+,-./:;<=>?@[\\]^_`{|}~": # 判断是否为标点符号
punct += 1
# 输出统计结果
print("字母个数:", letter)
print("空格个数:", space)
print("数字个数:", digit)
print("标点符号个数:", punct)
```
希望能解决你的问题。
输入一行字符串,分别统计出其中英文字母空格数字和其他字符的个数,用while if 语句
当你需要统计字符串中各种字符类型的个数,可以使用Python编写一个简单的程序,结合`while`和`if`语句来实现。下面是一个示例:
```python
def count_chars(input_string):
# 初始化计数器
letter_count = 0
space_count = 0
digit_count = 0
other_count = 0
# 遍历输入的字符串
index = 0
while index < len(input_string):
char = input_string[index]
# 判断字符类型
if char.isalpha():
letter_count += 1
elif char == ' ':
space_count += 1
elif char.isdigit():
digit_count += 1
else: # 如果不是字母、空格或数字,视为其他字符
other_count += 1
# 移动到下一个字符
index += 1
return letter_count, space_count, digit_count, other_count
# 测试函数
input_str = "Hello, 123 World! This is an example."
letter_count, space_count, digit_count, other_count = count_chars(input_str)
print(f"英文字母: {letter_count}, 空格: {space_count}, 数字: {digit_count}, 其他字符: {other_count}")
#
阅读全文