比较两个文本文件内容是否相同python代码
时间: 2023-07-23 17:35:51 浏览: 94
下面是使用哈希值比较两个文本文件是否相同的 Python 代码示例:
```python
import hashlib
def compare_files(file1_path, file2_path):
hash1 = hashlib.sha256()
with open(file1_path, 'rb') as file1:
for chunk in iter(lambda: file1.read(4096), b''):
hash1.update(chunk)
hash2 = hashlib.sha256()
with open(file2_path, 'rb') as file2:
for chunk in iter(lambda: file2.read(4096), b''):
hash2.update(chunk)
return hash1.digest() == hash2.digest()
if __name__ == '__main__':
file1_path = 'file1.txt'
file2_path = 'file2.txt'
if compare_files(file1_path, file2_path):
print('The two files have the same content.')
else:
print('The two files have different content.')
```
在这个示例中,我们使用了 Python 自带的 hashlib 模块来计算文件的 SHA256 哈希值。首先,我们定义了一个 compare_files 函数来比较两个文件的哈希值是否相同。函数接受两个参数,即要比较的两个文件的路径。函数通过逐块读取文件并更新哈希值的方式计算文件的哈希值。最后,函数比较两个文件的哈希值是否相同,并返回比较结果。在主函数中,我们可以调用 compare_files 函数来比较两个文件的内容是否相同。
阅读全文