-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
382 lines (324 loc) · 14.8 KB
/
main.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
import tkinter as tk
from tkinter import filedialog, messagebox, ttk
import os
import hashlib
from datetime import datetime
from collections import defaultdict
from pathlib import Path
import threading
import queue
from typing import List, Dict
import time
import json
class ConfigManager:
"""
Handles the loading, saving and management of application configuration.
Provides default values if no configuration file exists.
"""
DEFAULT_CONFIG = {
"window_title": "Duplicate File Finder",
"extensions": {
"images": [".jpg", ".jpeg", ".png", ".gif", ".bmp", ".tiff", ".webp"],
"documents": [".pdf", ".doc", ".docx", ".txt", ".rtf"],
"audio": [".mp3", ".wav", ".flac", ".m4a", ".ogg"],
"video": [".mp4", ".avi", ".mkv", ".mov", ".wmv"]
},
"enabled_categories": ["images"],
"window_size": {
"width": 700,
"height": 500
}
}
def __init__(self):
"""Initialize the configuration manager and load the config file."""
self.config_path = "config.json"
self.config = self.load_config()
def load_config(self) -> dict:
"""
Load configuration from JSON file or create default if not exists.
Returns:
dict: The loaded configuration or default configuration
"""
try:
if os.path.exists(self.config_path):
with open(self.config_path, 'r', encoding='utf-8') as f:
return json.load(f)
else:
self.save_config(self.DEFAULT_CONFIG)
return self.DEFAULT_CONFIG
except Exception as e:
print(f"Error loading configuration: {e}")
return self.DEFAULT_CONFIG
def save_config(self, config: dict) -> None:
"""
Save configuration to JSON file.
Args:
config (dict): Configuration to save
"""
try:
with open(self.config_path, 'w', encoding='utf-8') as f:
json.dump(config, f, indent=4, ensure_ascii=False)
except Exception as e:
print(f"Error saving configuration: {e}")
def get_enabled_extensions(self) -> set:
"""
Get all enabled file extensions from the configuration.
Returns:
set: Set of enabled file extensions
"""
extensions = set()
for category in self.config["enabled_categories"]:
if category in self.config["extensions"]:
extensions.update(self.config["extensions"][category])
return extensions
class DuplicateFinderApp:
"""
Main application class for the duplicate file finder.
Handles the GUI and file processing logic.
"""
def __init__(self, root):
"""
Initialize the application.
Args:
root: The root Tkinter window
"""
self.config_manager = ConfigManager()
self.root = root
self.root.title(self.config_manager.config["window_title"])
width = self.config_manager.config["window_size"]["width"]
height = self.config_manager.config["window_size"]["height"]
self.root.geometry(f"{width}x{height}")
# Initialize variables
self.folder_path = tk.StringVar()
self.status_text = tk.StringVar()
self.status_text.set("Waiting for folder selection...")
self.processing = False
self.file_queue = queue.Queue()
self.result_queue = queue.Queue()
# Create GUI elements
self.create_widgets()
def create_widgets(self):
"""Create and configure all GUI widgets."""
main_frame = ttk.Frame(self.root, padding="10")
main_frame.grid(row=0, column=0, sticky=(tk.W, tk.E, tk.N, tk.S))
# Configure resizing behavior
self.root.columnconfigure(0, weight=1)
self.root.rowconfigure(0, weight=1)
main_frame.columnconfigure(0, weight=1)
# Create configuration menu
menubar = tk.Menu(self.root)
self.root.config(menu=menubar)
config_menu = tk.Menu(menubar, tearoff=0)
menubar.add_cascade(label="Configuration", menu=config_menu)
config_menu.add_command(label="Manage Extensions", command=self.show_extension_manager)
# Folder selection button
ttk.Button(main_frame, text="Select Folder",
command=self.browse_folder).grid(row=0, column=0, pady=10, sticky=tk.W)
# Selected path display
ttk.Label(main_frame, textvariable=self.folder_path, wraplength=600).grid(
row=1, column=0, pady=5, sticky=tk.W)
# Search button
self.search_button = ttk.Button(main_frame, text="Find and Remove Duplicates",
command=self.start_processing)
self.search_button.grid(row=2, column=0, pady=10, sticky=tk.W)
# Stop button
self.stop_button = ttk.Button(main_frame, text="Stop", command=self.stop_processing,
state=tk.DISABLED)
self.stop_button.grid(row=2, column=0, pady=10, padx=(200,0), sticky=tk.W)
# Progress bar
self.progress_var = tk.DoubleVar()
self.progress = ttk.Progressbar(main_frame, variable=self.progress_var,
maximum=100, mode='determinate')
self.progress.grid(row=3, column=0, pady=10, sticky=(tk.W, tk.E))
# Status display
ttk.Label(main_frame, textvariable=self.status_text, wraplength=600).grid(
row=4, column=0, pady=5, sticky=tk.W)
# Log area
self.log_text = tk.Text(main_frame, height=10, width=70, wrap=tk.WORD)
self.log_text.grid(row=5, column=0, pady=5, sticky=(tk.W, tk.E))
scrollbar = ttk.Scrollbar(main_frame, orient="vertical", command=self.log_text.yview)
scrollbar.grid(row=5, column=1, sticky=(tk.N, tk.S))
self.log_text.configure(yscrollcommand=scrollbar.set)
def show_extension_manager(self):
"""Show the extension management window."""
config_window = tk.Toplevel(self.root)
config_window.title("Extension Manager")
config_window.geometry("400x300")
# Variables for checkboxes
category_vars = {}
def save_categories():
"""Save the selected categories and close the window."""
enabled_categories = [cat for cat, var in category_vars.items() if var.get()]
self.config_manager.config["enabled_categories"] = enabled_categories
self.config_manager.save_config(self.config_manager.config)
config_window.destroy()
self.log_message("Extension configuration updated")
# Create checkboxes for each category
for i, category in enumerate(self.config_manager.config["extensions"].keys()):
var = tk.BooleanVar(value=category in self.config_manager.config["enabled_categories"])
category_vars[category] = var
frame = ttk.Frame(config_window)
frame.pack(fill=tk.X, padx=10, pady=5)
cb = ttk.Checkbutton(frame, text=category.capitalize(), variable=var)
cb.pack(side=tk.LEFT)
# Show extensions for this category
extensions = ", ".join(self.config_manager.config["extensions"][category])
ttk.Label(frame, text=f"({extensions})", wraplength=250).pack(side=tk.LEFT, padx=10)
ttk.Button(config_window, text="Save", command=save_categories).pack(pady=20)
def log_message(self, message: str):
"""
Add a message to the log area.
Args:
message (str): Message to log
"""
self.log_text.insert(tk.END, f"{message}\n")
self.log_text.see(tk.END)
self.root.update_idletasks()
def browse_folder(self):
"""Open folder selection dialog and update the path."""
folder_selected = filedialog.askdirectory()
if folder_selected:
self.folder_path.set(folder_selected)
self.status_text.set("Folder selected. Ready to search.")
self.log_message(f"Selected folder: {folder_selected}")
def get_file_hash(self, filepath: str) -> str:
"""
Calculate MD5 hash of a file.
Args:
filepath (str): Path to the file
Returns:
str: MD5 hash of the file
Raises:
InterruptedError: If the process is stopped by the user
"""
try:
hash_md5 = hashlib.md5()
with open(filepath, "rb") as f:
for chunk in iter(lambda: f.read(4096), b""):
if not self.processing: # Allow stopping during hash calculation
raise InterruptedError("Process stopped by user")
hash_md5.update(chunk)
return hash_md5.hexdigest()
except (IOError, OSError) as e:
self.log_message(f"Error calculating hash for {filepath}: {e}")
return None
except InterruptedError:
raise
def process_files(self):
"""
Process files in the selected folder to find and remove duplicates.
This method runs in a separate thread.
"""
files_by_hash = defaultdict(list)
total_files = 0
processed_files = 0
try:
# Get enabled extensions
enabled_extensions = self.config_manager.get_enabled_extensions()
# First pass: count total files
for root_dir, _, files in os.walk(self.folder_path.get()):
if not self.processing:
break
for filename in files:
if Path(filename).suffix.lower() in enabled_extensions:
total_files += 1
# Second pass: process files
for root_dir, _, files in os.walk(self.folder_path.get()):
if not self.processing:
break
for filename in files:
if not self.processing:
break
if Path(filename).suffix.lower() in enabled_extensions:
filepath = os.path.join(root_dir, filename)
try:
file_hash = self.get_file_hash(filepath)
if file_hash:
files_by_hash[file_hash].append(filepath)
processed_files += 1
progress = (processed_files / total_files) * 100 if total_files > 0 else 0
self.result_queue.put(("progress", progress))
self.result_queue.put(("status", f"Processing: {processed_files}/{total_files} files"))
except InterruptedError:
return
except Exception as e:
self.result_queue.put(("log", f"Error with {filepath}: {str(e)}"))
# Process duplicates
if self.processing:
duplicates_found = 0
files_removed = 0
for file_hash, file_list in files_by_hash.items():
if not self.processing:
break
if len(file_list) > 1:
duplicates_found += len(file_list) - 1
sorted_files = sorted(file_list, key=lambda x: os.path.getmtime(x))
for duplicate in sorted_files[1:]:
if not self.processing:
break
try:
os.remove(duplicate)
files_removed += 1
self.result_queue.put(("log", f"Removed: {duplicate}"))
except OSError as e:
self.result_queue.put(("log", f"Error removing {duplicate}: {e}"))
self.result_queue.put(("final", f"Completed!\nDuplicates found: {duplicates_found}\n"
f"Files removed: {files_removed}"))
except Exception as e:
self.result_queue.put(("error", f"An error occurred: {str(e)}"))
finally:
self.result_queue.put(("done", None))
def update_ui(self):
"""Update the UI with results from the processing thread."""
try:
while True:
try:
msg_type, data = self.result_queue.get_nowait()
if msg_type == "progress":
self.progress_var.set(data)
elif msg_type == "status":
self.status_text.set(data)
elif msg_type == "log":
self.log_message(data)
elif msg_type == "error":
messagebox.showerror("Error", data)
self.stop_processing()
elif msg_type == "final":
self.status_text.set(data)
elif msg_type == "done":
self.processing = False
self.search_button.config(state=tk.NORMAL)
self.stop_button.config(state=tk.DISABLED)
return
except queue.Empty:
break
if self.processing:
self.root.after(100, self.update_ui)
except Exception as e:
self.log_message(f"Error updating UI: {e}")
self.stop_processing()
def start_processing(self):
"""Start the file processing in a separate thread."""
if not self.folder_path.get():
messagebox.showerror("Error", "Please select a folder")
return
self.processing = True
self.search_button.config(state=tk.DISABLED)
self.stop_button.config(state=tk.NORMAL)
self.progress_var.set(0)
self.log_text.delete(1.0, tk.END)
self.log_message("Starting processing...")
# Start processing thread
threading.Thread(target=self.process_files, daemon=True).start()
# Start UI updates
self.update_ui()
def stop_processing(self):
"""Stop the current processing operation."""
self.processing = False
self.status_text.set("Processing stopped by user")
self.search_button.config(state=tk.NORMAL)
self.stop_button.config(state=tk.DISABLED)
if __name__ == "__main__":
root = tk.Tk()
app = DuplicateFinderApp(root)
root.mainloop()