Skip to content

Commit 6ae833a

Browse files
committed
Add a new script of rename-vedios-pictures.py
1 parent 789b2f9 commit 6ae833a

File tree

1 file changed

+114
-0
lines changed

1 file changed

+114
-0
lines changed
+114
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,114 @@
1+
#!/usr/bin/env python3
2+
3+
# Required parameters:
4+
# @raycast.schemaVersion 1
5+
# @raycast.title Rename Video
6+
# @raycast.mode fullOutput
7+
8+
# Optional parameters:
9+
# @raycast.icon 📂
10+
# @raycast.argument1 { "type": "text", "placeholder": "Placeholder" }
11+
12+
# Documentation:
13+
# @raycast.description This is a simple Python script for recursively renaming video and picture files within a directory. Type the root directory's absolute path, and it will scan all the video and picture files in it and rename them according to the folder where they are located as the format `<folder_name>-<current_date (MMDD)>-<incremental_number>`.
14+
# @raycast.author StepaniaH
15+
# @raycast.authorURL https://github.com/StepaniaH
16+
17+
import os
18+
import sys
19+
import datetime
20+
import argparse
21+
import re
22+
23+
class RenameFilesAsDate:
24+
def __init__(self, root_directory):
25+
self.root_directory = os.path.expanduser(root_directory)
26+
self.error_files = {}
27+
self.video_extensions = ('.mp4', '.avi', '.mov', '.mkv', '.wmv')
28+
self.image_extensions = ('.jpg', '.jpeg', '.png', '.gif', 'webp')
29+
30+
def rename_files(self, file_type='all', dry_run=False):
31+
current_date = datetime.datetime.now().strftime("%m%d")
32+
self._process_directory(self.root_directory, current_date, file_type, dry_run)
33+
34+
if self.error_files:
35+
print("\nThe following files could not be renamed:")
36+
for original_path, error in self.error_files.items():
37+
print(f"{original_path}: {error}")
38+
39+
def _is_already_renamed(self, filename, current_date):
40+
"""Check if the file has been named according to the target format"""
41+
base_name = os.path.splitext(filename)[0]
42+
pattern = re.compile(f'^.*-{current_date}-\\d{{2}}$')
43+
return bool(pattern.match(base_name))
44+
45+
def _get_max_sequence_number(self, directory, current_date):
46+
"""Get the largest serial number existing in the current directory"""
47+
max_seq = 0
48+
pattern = re.compile(f'^.*-{current_date}-(\\d{{2}}).*$')
49+
50+
for entry in os.listdir(directory):
51+
match = pattern.match(os.path.splitext(entry)[0])
52+
if match:
53+
seq_num = int(match.group(1))
54+
max_seq = max(max_seq, seq_num)
55+
return max_seq
56+
57+
def _process_directory(self, directory, current_date, file_type, dry_run):
58+
folder_name = os.path.basename(directory)
59+
supported_extensions = self._get_supported_extensions(file_type)
60+
61+
# First collect the files that need to be renamed
62+
files_to_rename = []
63+
for entry in os.listdir(directory):
64+
entry_path = os.path.join(directory, entry)
65+
66+
if os.path.isfile(entry_path):
67+
if entry.lower().endswith(supported_extensions):
68+
if not self._is_already_renamed(entry, current_date):
69+
files_to_rename.append(entry)
70+
elif os.path.isdir(entry_path):
71+
self._process_directory(entry_path, current_date, file_type, dry_run)
72+
73+
if files_to_rename:
74+
# Get the largest serial number existing in the current directory
75+
count = self._get_max_sequence_number(directory, current_date) + 1
76+
77+
# Rename collected files
78+
for entry in sorted(files_to_rename): # Sort to ensure consistent rename order
79+
entry_path = os.path.join(directory, entry)
80+
new_name = f"{folder_name}-{current_date}-{count:02d}{os.path.splitext(entry)[1].lower()}"
81+
new_path = os.path.join(directory, new_name)
82+
83+
if dry_run:
84+
print(f"Would rename: {entry} -> {new_name}")
85+
else:
86+
try:
87+
os.rename(entry_path, new_path)
88+
print(f"Renamed: {entry} -> {new_name}")
89+
except OSError as e:
90+
self.error_files[entry_path] = f"Rename failed: {str(e)}"
91+
continue
92+
count += 1
93+
94+
def _get_supported_extensions(self, file_type):
95+
if file_type == 'video':
96+
return self.video_extensions
97+
elif file_type == 'image':
98+
return self.image_extensions
99+
return self.video_extensions + self.image_extensions
100+
101+
def main():
102+
parser = argparse.ArgumentParser(description='Rename video and image files with date pattern')
103+
parser.add_argument('directory', help='Root directory to process')
104+
parser.add_argument('--type', choices=['video', 'image', 'all'],
105+
default='all', help='File type to process')
106+
parser.add_argument('--dry-run', action='store_true',
107+
help='Show what would be done without actually renaming')
108+
109+
args = parser.parse_args()
110+
renamer = RenameFilesAsDate(args.directory)
111+
renamer.rename_files(args.type, args.dry_run)
112+
113+
if __name__ == '__main__':
114+
main()

0 commit comments

Comments
 (0)