10 行 Python 代码自动清理电脑重复文件,解放双手!
The following article is from 早起Python Author 陈熹
前言
os 模块综合应用 glob 模块综合应用 利用 filecmp 模块比较两个文件
步骤分析
该程序实现的逻辑可以具化为:
实现问题的关键就变成了👇如何判断两个文件是否相同?在这里我们可以使用 filecmp 模块,来看看官方的介绍文档:遍历获取给定文件夹下的所有文件,然后通过嵌套循环两两比较文件是否相同,如果相同则删除后者。
filecmp.cmp(f1, f2, shallow=True)
比较名为 f1 和 f2 的文件,如果它们似乎相等则返回 True,否则返回False
如果 shallow 为真,那么具有相同 os.stat() 签名的文件将会被认为是相等的。否则,将比较文件的内容。
# 假设x和y两个文件是相同的
print(filecmp.cmp(x, y))
# True
Python实现
导入需要的库并设置目标文件夹路径:import os
import glob
import filecmp
dir_path = r'C:\\xxxx'
for file in glob.glob(path + '/**/*', recursive=True):
pass
首先创建一个空列表,后面用 list.append(i) 添加文件路径。
接着利用 os.path.isfile(i) 判断是否是文件,返回 True 则执行添加元素的操作。
file_lst = []
for i in glob.glob(dir_path + '/**/*', recursive=True):
if os.path.isfile(i):
file_lst.append(i)
for x in file_lst:
for y in file_lst:
if x != y:
if filecmp.cmp(x, y):
os.remove(y)
for x in file_lst:
for y in file_lst:
if x != y and os.path.exists(x) and os.path.exists(y):
if filecmp.cmp(x, y):
os.remove(y)
import os
import glob
import filecmp
dir_path = r'C:\xxxx'
file_lst = []
for i in glob.glob(dir_path + '/**/*', recursive=True):
if os.path.isfile(i):
file_lst.append(i)
for x in file_lst:
for y in file_lst:
if x != y and os.path.exists(x) and os.path.exists(y):
if filecmp.cmp(x, y):
os.remove(y)