接受一个字符串分别统计字符串的大写字母,小写字母,数字,其他字符的个数
时间: 2024-10-26 08:17:52 浏览: 8
C++统计中英文大小写字母、数字、空格及其他字符个数的方法
5星 · 资源好评率100%
接受一个字符串并统计其中大写字母、小写字母、数字和其他字符的个数,可以使用编程语言中的字符串处理函数和条件判断来实现。这里提供一个Python的例子:
```python
def count_chars(s):
upper_count = lower_count = digit_count = other_count = 0
for char in s:
if char.isupper():
upper_count += 1
elif char.islower():
lower_count += 1
elif char.isdigit():
digit_count += 1
else:
# 包含除字母和数字以外的所有字符
other_count += 1
return upper_count, lower_count, digit_count, other_count
# 示例输入
input_string = "Hello, World! 123"
stats = count_chars(input_string)
print(f"大写字母:{stats[0]}, 小写字母:{stats[1]}, 数字:{stats[2]}, 其他字符:{stats[3]}")
阅读全文