forked from jasontbradshaw/flac2mp3
-
Notifications
You must be signed in to change notification settings - Fork 0
/
flac2mp3.py
executable file
·357 lines (290 loc) · 12.2 KB
/
flac2mp3.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
#!/usr/bin/env python
# https://github.com/jasontbradshaw/flac2mp3
from itertools import compress
import multiprocessing as mp
import os
import re
import shutil
import subprocess as sp
import sys
import tempfile
import fleep
def get_missing_programs(required_programs):
'''Gets a list of required programs that can't be found on the system.'''
# try to launch the programs, and add them to a list if they're not found
missing = []
for program in required_programs:
try:
sp.call(program, stdout=sp.PIPE, stderr=sp.STDOUT)
except OSError:
# if the binary couldn't be found, put it in the list
if e.errno == 2:
missing.append(program)
else:
# propogate other errors
raise
return missing
def ensure_directory(d, ignore_errors=False):
'''
Given a directory, ensures that it exists by creating the directory tree if
it's not already present. Returns True if the directory was created, False
if it already exists.
'''
try:
os.makedirs(d)
return True
except OSError as e:
raise(e)
return False
def change_file_ext(fname, ext):
'''Transforms the given filename's extension to the given extension.'''
return os.path.splitext(fname)[0] + ext
def walk_dir(d, follow_links=False):
'''
Yields all the file names in a given directory, including those in
subdirectories. If 'follow_links' is True, symbolic links will be followed.
This option can lead to infinite looping since the function doesn't keep
track of which directories have been visited.
'''
# walk the directory and collect the full path of every file therein
for root, dirs, files in os.walk(d, followlinks=follow_links):
for name in files:
# append the normalized file name
yield os.path.abspath(os.path.join(root, name))
def get_filetype(fname):
'''Takes a file name and returns its MIME type.'''
"""
# brief output, MIME version
file_args = ['file', '-b']
if sys.platform == 'darwin':
file_args.append('-I')
else:
file_args.append('-i')
file_args.append(fname)
# return one item per line
p_file = sp.Popen(file_args, stdout=sp.PIPE)
return p_file.communicate()[0].strip()
"""
with open(fname, "rb") as file:
info = fleep.get(file.read(128))
return info.mime
def transcode(infile, outfile=None, skip_existing=False, bad_chars=''):
'''
Transcodes a single flac file into a single mp3 file. Preserves the file
name but changes the extension. Copies flac tag info from the original file
to the transcoded file. If outfile is specified, the file is saved to that
location, otherwise it's saved alongside the original file. If skip_existing
is False (the default), overwrites existing files with the same name as
outfile, otherwise skips the file completely. bad_chars is a collection of
characters that should be removed from the output file name. Returns the
returncode of the lame process.
'''
#print(f"infile: {infile}")
# get a new file name for the mp3 if no output name was specified
outfile = outfile or change_file_ext(infile, '.mp3')
# replace incompatible filename characters in output file
for c in bad_chars:
outfile = outfile.replace(c, '')
# skip transcoding existing files if specified
if skip_existing and os.path.exists(outfile):
return
# NOTE: we use a temp file to store the incremental in-flight transcode, and
# move it to the final output filename when transcode is complete. this
# approach prevents partial or interrupted transcodes from getting in the
# way of --skip-existing.
# create the file in the same dir (and same filesystem) as the final target,
# allowing us to use os.link rather than shutil.move later.
dirname = os.path.dirname(outfile)
with tempfile.NamedTemporaryFile(dir=dirname, suffix='.tmp') as temp_outfile:
# get the tags from the input file
flac_tags = get_tags(infile)
# arguments for 'lame', including bitrate and tag values
vbr_quality = 2 # ~190 kbps
lame_args = ['lame', '-m', 's', '--vbr-new', '-V' + str(vbr_quality),
'--add-id3v2', '--silent',
'--tt', flac_tags['TITLE'],
'--ta', flac_tags['ARTIST'],
'--tl', flac_tags['ALBUM'],
'--ty', flac_tags['DATE'],
'--tc', flac_tags['COMMENT'],
'--tn', flac_tags['TRACKNUMBER'] + '/' + flac_tags['TRACKTOTAL'],
'--tg', flac_tags['GENRE'],
'-', '-' ]
# arguments for 'flac' decoding to be piped to 'lame'
flac_args = ['flac', '--silent', '--stdout', '--decode', infile]
# decode the 'flac' data and pass it to 'lame'
# pass the lame encoding to our temp file
p_flac = sp.Popen(flac_args, stdout=sp.PIPE)
p_lame = sp.Popen(lame_args, stdin=p_flac.stdout, stdout=temp_outfile)
# allow p_flac to receive a SIGPIPE if p_lame exits
p_flac.stdout.close()
# wait for the encoding to finish
retval = p_lame.wait()
# if the transcode worked, link the temp file to the final filename
if retval == 0:
os.link(temp_outfile.name, outfile)
return retval
def get_tags(infile):
'''
Gets the flac tags from the given file and returns them as a dict. Ensures
a minimun set of id3v2 tags is available, giving them default values if
these tags aren't found in the orininal file.
'''
# get tag info text using 'metaflac'
metaflac_args = ['metaflac', '--list', '--block-type=VORBIS_COMMENT', infile]
p_metaflac = sp.Popen(metaflac_args, stdout=sp.PIPE)
metaflac_text = p_metaflac.communicate()[0].decode('utf-8')
#print(f"type for metaflac_text: {type(metaflac_text)}")
# ensure all possible id3v2 tags start off with a default value
tag_dict = {
'TITLE': 'NONE',
'ARTIST': 'NONE',
'ALBUM': 'NONE',
'DATE': '1',
'COMMENT': '',
'TRACKNUMBER': '00',
'TRACKTOTAL': '00',
'GENRE': 'NONE'
}
# matches all lines like 'comment[0]: TITLE=Misery' and extracts them to
# tuples like ('TITLE', 'Misery'), then stores them in a dict.
pattern = '\s+comment\[\d+\]:\s+([^=]+)=([^\n]+)\n'
# TODO: Fix error here
# get the comment data from the obtained text
for name, value in re.findall(pattern, metaflac_text):
tag_dict[name.upper()] = value
return tag_dict
if __name__ == '__main__':
import logging
import time
import argparse
# parse arguments
parser = argparse.ArgumentParser()
parser.add_argument('-i', '--input-dir', type=os.path.abspath,
help='Directory with FLAC files')
# TODO: Add -bd option for base directory
# options and flags
#parser.add_argument('-o', '--output-dir', type=os.path.abspath,
#help='Directory to output transcoded files to', default='./MP3/')
parser.add_argument('-s', '--skip-existing', action='store_true',
help='Skip transcoding files if the output file already exists')
parser.add_argument('-l', '--logfile', type=os.path.normpath, default=None,
help='log output to a file as well as to the console.')
parser.add_argument('-q', '--quiet', action='store_true',
help='Disable console output.')
parser.add_argument('-c', '--copy-pattern', type=re.compile,
help="Copy files who's names match the given pattern into the " +
'output directory. Only works if an output directory is specified.')
parser.add_argument('-n', '--num-threads', type=int, default=1,#mp.cpu_count(),
help='The number of threads to use for transcoding. Defaults ' +
'to the number of CPUs on the machine.')
args = parser.parse_args()
# setup output directory's name
output_dir_path = os.path.join(args.input_dir, 'MP3/')
# set log level and format
log = logging.getLogger('flac2mp3')
log.setLevel(logging.INFO)
# prevent 'no loggers found' warning
log.addHandler(logging.NullHandler())
# custom log formatting
formatter = logging.Formatter('[%(levelname)s] %(message)s')
# log to stderr unless disabled
if not args.quiet:
sh = logging.StreamHandler()
sh.setFormatter(formatter)
log.addHandler(sh)
# add a file handler if specified
if args.logfile is not None:
fh = logging.FileHandler(args.logfile)
fh.setFormatter(formatter)
log.addHandler(fh)
# ensure we have all our required programs
missing = get_missing_programs(['lame', 'file', 'flac', 'metaflac'])
if len(missing) > 0:
log.critical('The following programs are required: ' + ','.join(missing))
sys.exit(1)
# ensure the output directory exists
try:
ensure_directory(output_dir_path)
except OSError:
print("Couldn't create output directory at location {}".format(output_dir_path))
files = []
for f in os.listdir(args.input_dir):
if os.path.isdir(f):
continue
elif (f.endswith('.flac')):
files.append(os.path.join(args.input_dir, f))
else:
continue
log.info('Found ' + str(len(files)) + ' files')
print('\n'.join('{}'.format(k) for k in files))
# ------------------------------------------------------------------------
def transcode_with_logging(f):
'''Transcode the given file and print out progress statistics.'''
short_fname = os.path.basename(os.path.normpath(f))
# copy any non-FLAC files to the output dir if they match a pattern
if 'audio/flac' not in get_filetype(f):
return
# a more compact file name representation
log.info("Transcoding {:}...".format(short_fname))
# time the transcode
start_time = time.time()
# assign the output directory
outfile = None
mp3file = change_file_ext(short_fname, '.mp3')
outfile = os.path.join(output_dir_path,
mp3file)
# make the directory to ensure it exists. ignore errors since
# lame takes care of other error messages.
#ensure_directory(os.path.dirname(outfile), ignore_errors=True)
# store the return code of the process so we can see if it errored
retcode = transcode(f, outfile, args.skip_existing, ':')
total_time = time.time() - start_time
# log success or error
if retcode == 0:
log.info("Transcoded {} in {} seconds".format(short_fname,
total_time))
elif retcode == None:
log.info("Skipped {}".format(short_fname))
else:
log.error("Failed to transcode {} after {}} seconds".format(short_fname, total_time))
# ------------------------------------------------------------------------
# log transcode status
# Start
log.info('Beginning transcode of %d files...' % len(files))
overall_start_time = time.time()
# build a thread pool for transcoding
pool = mp.Pool(processes=args.num_threads)
# transcode all the found files
terminated = False
succeeded = False
try:
result = pool.map_async(transcode_with_logging, files)
while 1:
try:
# wait for the result to come in, and mark success once it does
result.get(0.1)
succeeded = True
break
except mp.TimeoutError:
continue
except KeyboardInterrupt:
terminated = True
pool.terminate()
pool.join()
except Exception as e:
# catch and log all other exceptions gracefully
#log.exception(e)
print("Error, dummy: {:}".format(e))
# log our exit status/condition
overall_time = time.time() - overall_start_time
if succeeded:
log.info('Completed transcode in %.2f seconds' % overall_time)
sys.exit(0)
elif terminated:
log.warning('User terminated transcode after %.2f seconds' %
overall_time)
sys.exit(3)
else:
log.error('Transcode failed after %.2f seconds' % overall_time)
sys.exit(4)