英文字符频率统计。编写一个程序,对给定字符串中出现的a到Z字母频率进行分析,忽略大小写,采用降序方式输出
时间: 2023-08-24 16:31:13 浏览: 215
从键盘上输入一串英文字符(不含空格与其他字符),统计每个字符的数目,并输出字母及相应的数目。
可以使用 Python 中的 Counter 函数来统计每个字母的数量,然后根据数量进行降序排序输出。示例代码如下:
```python
from collections import Counter
# 定义字符串
s = 'Hello, World!'
# 使用 Counter 函数统计每个字母的数量
counter = Counter(s.lower())
# 按照数量降序排序
sorted_counter = sorted(counter.items(), key=lambda x: x[1], reverse=True)
# 输出每个字母的数量
for letter, count in sorted_counter:
if letter.isalpha():
print(f"{letter}: {count}")
```
这里使用了 `lower()` 函数将所有字母转换为小写,避免大小写造成的统计错误。输出结果为:
```
l: 3
o: 2
e: 1
h: 1
w: 1
r: 1
d: 1
```
阅读全文