-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlibrary.py
313 lines (230 loc) · 9.46 KB
/
library.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
import os
from mutagen.easyid3 import EasyID3
from mutagen.flac import FLAC
from typing import Optional
import re
# ========================GLOBAL VARIABLES========================
# Elements specified by the user to get all the categories of the metadata.
ELEMENTS_OF_NAME = {"%artist%": "artist",
"%album%": "album",
"%title%": "title",
"%track_number%": "track_number",
"%disc_number%": "disc_number",
"%bpm%": "bpm",
"%genre%": "genre",
"%release_date%": "release_date"}
# ======================== FILE NAME GETTING FUNCTIONS ========================
def get_file_name (file_path: str) -> str:
"""Return the name of the file from the file path in a string.
Args:
file_path (str): path of the file.
Returns:
string : the name of the file.
"""
try:
return os.path.basename(file_path)
except Exception as e:
print(f"Uh-Oh ! An error occurred: {e}")
return ""
def get_files_name(directory_path: str) -> tuple:
"""Return the name of the all the files from the file path in a string.
Args:
directory_path (str): path of the directory.
Returns:
tuple: An tuple of strings, each string being the name of a file in the
directory. If an error occurs, an empty tuple is returned.
"""
try:
return tuple([f for f in os.listdir(directory_path)
if os.path.isfile(os.path.join(directory_path, f))])
except Exception as e:
print(f"Uh-Oh ! An error occurred: {e}")
return ()
def get_file_extension (file_name: str) -> str:
"""Return the extension of the file from the file name.
Args:
file_name (str): name of the file.
Returns:
string: the extension of the file.
"""
extension = ""
while file_name[-1] != ".":
extension = file_name[-1] + extension
file_name = file_name[:-1]
return extension
def get_file_name_without_extension(file_name: str) -> str:
"""Gets the file name without its extension
Args:
file_name (str): the name of the file
Returns:
str: the name of the file without its extension
"""
return file_name.split("." + get_file_extension(file_name))[0]
# ======================== FILE FORMAT FUNCTIONS ========================
# if the structure is "%n%. %a% - %t% - %A%" and the name is "01. Pattern Factory Operators - Red Card Stratagem (feat. Jankennpopp) - Custom Air Modulations.wav",
# it must return a dict with this structure : {"track_number" : 1 ,
# "artist" : "Pattern Factory Operators" ,
# "title" : "Red Card Stratagem (feat. Jankennpopp)" ,
# "album" : "Custom Air Modulations"}
# def get_tags_by_structure(structure: str, file_name: str) -> dict:
# tags = {}
# pattern = structure
#
# tags = {}
# pattern = structure
#
# # Replace placeholders with regex patterns
# for key, value in ELEMENTS_OF_NAME.items():
# pattern = pattern.replace(key, f"(?P<{value}>[^-]+)") #?P<{value}>.+?
#
# # Compile the regex pattern
# regex = re.compile(pattern)
# match = regex.match(file_name)
#
# if match:
# tags = match.groupdict()
#
# # Convert track number to integer
# if 'track_number' in tags:
# tags['track_number'] = int(tags['track_number'].split(".")[0])
#
# return tags
# def get_tags_by_structure(separators: list, order_of_tags: list, file_name: str) -> dict:
# index_oot = 0
# index_separators = 0
# tags = {}
# for tag in order_of_tags:
# #print(f"tag :{type(tag)}, {tag}")
# buffer=file_name.split(separators[index_separators])
# #print(f"buffer : {buffer}")
# tags[order_of_tags[index_oot]] = buffer[0]
# index_oot += 1
# return tags
def get_tags_by_structure(structure: str, file_name: str) -> dict:
"""Associates in a dict every tag of the file name with its correct key,
based on the scheme given by the user.
Args:
structure (str): how the file name is organized
file_name (str): the name of the file
Returns:
dict: a dict containing the tags presents in the file name
"""
# Initialiser le dictionnaire des tags
tags = {}
# Extraire les tags du pattern/structure en utilisant regex
tag_pattern = '|'.join(re.escape(key) for key in ELEMENTS_OF_NAME.keys())
pattern = re.compile(f'({tag_pattern})')
# Trouver tous les tags dans la structure
matches = pattern.finditer(structure)
for match in matches:
tag = match.group(1)
tags[ELEMENTS_OF_NAME[tag]] = ""
# Obtenir les séparateurs
separators = get_separators(structure)
tags_keys_list = list(tags.keys())
file_name_index = 0
tag_index = 0
while file_name_index < len(file_name):
match = False
if separators and tag_index < len(separators):
sep = separators[tag_index]
if file_name[file_name_index:file_name_index+len(sep)] == sep:
match = True
file_name_index += len(sep)
tag_index += 1
continue
if tag_index < len(tags_keys_list):
tags[tags_keys_list[tag_index]] += file_name[file_name_index]
file_name_index += 1
return tags
def make_integer_tags(tags: dict) -> None:
if tags["bpm"]:
print("oui")
def get_tag_structure_lenght(tag: str) -> int:
i = 0
while tag[i] != '%':
i+=1
return i
def check_if_discnb_and_tracknb_sticked(structure: str, file_name: str) -> None:
return 0;
def get_separators(structure: str) -> list:
"""Gets every separator of the structure (every string that is not in
ELEMENTS_OF_NAME.keys()), and so of the file name.
Args:
structure (str): structure of the file name
Returns:
tuple: a tuple which contains every separators of the structure and so
of the file name.
"""
tag_pattern = '|'.join(re.escape(key) for key in ELEMENTS_OF_NAME.keys())
pattern = re.compile(f'({tag_pattern})')
matches = pattern.finditer(structure)
separators = []
last_end = 0
for match in matches:
start, end = match.span()
if start > last_end:
separators.append(structure[last_end:start])
last_end = end
if last_end < len(structure):
separators.append(structure[last_end:])
return separators
# I'll might add more parameters later, depending on what the user wants to edit and most importantly, my needs and what mutagen supports.
def edit_mp3_metadata( file_path: str,
title: Optional[str] = None,
artist: Optional[str] = None,
album: Optional[str] = None,
bpm: Optional[str] = None,
genre: Optional[str] = None,
release_date: Optional[str] = None,
track_number: Optional[str] = None,
disc_number: Optional[str] = None ) -> None:
audio = FLAC(file_path)
audio['title'] = title #modifier pour que le code modifie seulement les arguments qui n'ont pas la valeur none
audio['artist'] = artist
audio['album'] = album
audio['bpm'] = bpm
audio['genre'] = genre
audio.save()
"""
gets an element of the metadata in the file name, based on the separator(s) specified by the user
"""
def get_info(file_name, separators=None):
return file_name.split(separators)
def order_of_elements(file_name, separators=None):
return len(get_info(file_name, separators))
# def get_separators(structure: str) -> tuple:
# separators_list = []
# separator = ""
# for i in range(len(structure) - 2):
# j = i + 1
# if structure[i] == "%":
# while structure[j] != "%":
# separator += structure[j]
# j += 1
# separators_list.append(separator)
# separator = ""
# return tuple(separators_list)
# def get_separators(structure: str) -> tuple:
# """Gets every separator of the structure (every string that is not in
# ELEMENTS_OF_NAME.keys()), and so of the file name.
# Args:
# structure (str): structure of the file name
# Returns:
# tuple: a tuple which contains every separators of the structure and so
# of the file name.
# """
# separators = []
# i = 0
# while i < len(structure):
# if structure[i] == "%" and i + 2 < len(structure) and structure[i+2] == "%":
# i += 3
# else:
# separator = ""
# while i < len(structure) and (structure[i] != "%" or
# (i + 2 < len(structure) and structure[i+2] != "%")):
# separator += structure[i]
# i += 1
# if separator:
# separators.append(separator)
# return tuple(separators)