统计文件【hamlet.txt】中小写字母a-z的字符分布,即出现a-z字符的数量,并输出结果。同时请输出文件一共包含的字符数量。Python实现
时间: 2024-02-24 10:55:20 浏览: 27
统计大文件中各个字符的数量(中文、英文、数字)
5星 · 资源好评率100%
可以使用 Python 的内置模块 `collections` 中的 `Counter` 类来统计字符分布,代码如下:
```python
import collections
# 打开文件
with open("hamlet.txt", "r", encoding="UTF-8") as f:
# 读取文件内容
content = f.read()
# 统计字符分布
counter = collections.Counter(content.lower())
# 输出结果
for c in "abcdefghijklmnopqrstuvwxyz":
print(f"{c}: {counter.get(c, 0)}")
# 输出字符总数
print(f"Total: {len(content)}")
```
上面代码中,首先使用 `open` 函数打开文件,并通过 `read` 方法读取文件内容。然后,使用 `collections.Counter` 统计字符分布,并使用 `get` 方法获取指定字符的数量,如果该字符没有出现过,则返回 0。最后,使用 `len` 函数获取文件总字符数并输出。
阅读全文