-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathdownloads_organizer.py
163 lines (138 loc) · 5.87 KB
/
downloads_organizer.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
# downloads_organizer.py
# Automatically organizes files in the downloads folder after 24 hours
# Classifies files into appropriate folders based on their extensions
import os
import time
import shutil
import logging
import signal
import sys
from pathlib import Path
from watchdog.observers import Observer
from watchdog.events import FileSystemEventHandler
from datetime import datetime, timedelta
# Logging configuration
logging.basicConfig(
filename='downloads_organizer.log',
level=logging.INFO,
format='%(asctime)s - %(message)s',
datefmt='%Y-%m-%d %H:%M:%S'
)
# Dictionary of extensions by category
EXTENSIONS = {
'images': ['.jpg', '.jpeg', '.png', '.gif', '.bmp', '.tiff', '.webp', '.svg', '.ico'],
'videos': ['.mp4', '.avi', '.mkv', '.mov', '.wmv', '.flv', '.webm', '.m4v', '.3gp'],
'documents': ['.pdf', '.doc', '.docx', '.txt', '.xlsx', '.ppt', '.pptx', '.csv', '.odt'],
'music': ['.mp3', '.wav', '.flac', '.m4a', '.ogg', '.midi', '.aac', '.wma'],
'programs': ['.exe', '.msi', '.app', '.bat', '.cmd', '.py', '.jar', '.dll'],
'compressed': ['.zip', '.rar', '.7z', '.tar', '.gz', '.bz2', '.xz', '.iso'],
'others': [] # For files that don't match any category
}
class FileOrganizer(FileSystemEventHandler):
def __init__(self, downloads_path):
self.downloads_path = downloads_path
self.pending_files = {}
logging.info(f"Organizer started. Monitoring: {downloads_path}")
self.process_existing_files()
def process_existing_files(self):
"""Process files that already exist in the downloads folder"""
logging.info("Processing existing files...")
downloads_dir = Path(self.downloads_path)
for file_path in downloads_dir.glob('*'):
if file_path.is_file():
# Add file to pending with its actual creation time
creation_time = datetime.fromtimestamp(file_path.stat().st_ctime)
self.pending_files[str(file_path)] = creation_time
logging.info(f"Added existing file to queue: {file_path.name}")
def on_created(self, event):
# Executes when a new file is detected
if not event.is_directory:
file_path = event.src_path
self.pending_files[file_path] = datetime.now()
logging.info(f"New file detected: {os.path.basename(file_path)}")
def process_pending_files(self):
# Process files that have been pending for 24 hours
current_time = datetime.now()
files_to_remove = []
for file_path, creation_time in self.pending_files.items():
if current_time - creation_time >= timedelta(hours=24):
self.organize_file(file_path)
files_to_remove.append(file_path)
# Clean up processed files list
for file_path in files_to_remove:
del self.pending_files[file_path]
def organize_file(self, file_path):
try:
file = Path(file_path)
if not file.exists():
return
# Determine category based on extension
category = 'others'
for cat, extensions in EXTENSIONS.items():
if file.suffix.lower() in extensions:
category = cat
break
# Create destination folder if it doesn't exist
dest_folder = Path(self.downloads_path) / category
dest_folder.mkdir(exist_ok=True)
# Move the file
shutil.move(str(file), str(dest_folder / file.name))
logging.info(f"File organized: {file.name} -> {category}")
except Exception as e:
logging.error(f"Error organizing {file_path}: {str(e)}")
def signal_handler(signum, frame):
"""Signal handler for clean program shutdown"""
logging.info(f"Stop signal received: {signal.Signals(signum).name}")
logging.info("Stopping downloads organizer...")
observer.stop()
sys.exit(0)
def main():
# Check if there's already an instance running
pid_file = "downloads_organizer.pid"
if os.path.exists(pid_file):
try:
with open(pid_file, 'r') as f:
old_pid = int(f.read().strip())
try:
os.kill(old_pid, 0) # Check if process exists
logging.warning(f"An instance is already running with PID {old_pid}")
sys.exit(1)
except OSError:
# Process doesn't exist, we can continue
pass
except Exception as e:
logging.error(f"Error checking existing process: {e}")
# Save current process PID
pid = os.getpid()
with open(pid_file, "w") as f:
f.write(str(pid))
logging.info(f"Organizer started with PID: {pid}")
# Register signal handlers for controlled shutdown
signal.signal(signal.SIGTERM, signal_handler)
signal.signal(signal.SIGINT, signal_handler)
try:
# Get user's downloads path
downloads_path = str(Path.home() / "Downloads")
# Create organizer and observer
global observer # Needed for signal_handler
organizer = FileOrganizer(downloads_path)
observer = Observer()
observer.schedule(organizer, downloads_path, recursive=False)
observer.start()
logging.info("Downloads organizer started - Checking every 2 hours")
while True:
logging.info("Starting pending files check...")
organizer.process_pending_files()
logging.info("Check completed. Next check in 2 hours")
time.sleep(7200) # 2 hours = 7200 seconds
except Exception as e:
logging.error(f"Error in main program: {str(e)}")
finally:
# Final cleanup
if os.path.exists(pid_file):
os.remove(pid_file)
observer.stop()
observer.join()
logging.info("Organizer stopped and cleaned up properly")
if __name__ == "__main__":
main()