输入一个字符串统计字符串中每种字符的个数,大写字母小写字母,数字用c
时间: 2024-11-05 20:27:34 浏览: 5
C++统计中英文大小写字母、数字、空格及其他字符个数的方法
5星 · 资源好评率100%
统计字符串中字符的个数通常涉及到遍历字符串并分类计数。你可以创建一个简单的程序,例如在Python中,你可以这样做:
```python
def count_chars(s):
char_count = {
'upper': 0, 'lower': 0, 'digit': 0, 'other': 0
}
for char in s:
if char.isupper():
char_count['upper'] += 1
elif char.islower():
char_count['lower'] += 1
elif char.isdigit():
char_count['digit'] += 1
else:
char_count['other'] += 1
return char_count
input_string = "Hello123 World!"
char_info = count_chars(input_string)
for category, count in char_info.items():
print(f"{category}: {count}")
#
阅读全文