replaygain: modified current implementation to fit a backend framework in anticipation of other implementations

This commit is contained in:
Yevgeny Bezman 2014-02-15 15:37:10 +02:00 committed by Thomas Scholtes
parent ee2cf0df8e
commit 86ee30df0d

View file

@ -15,6 +15,8 @@
import logging
import subprocess
import os
import collections
import itertools
from beets import ui
from beets.plugins import BeetsPlugin
@ -23,7 +25,6 @@ from beets import config
log = logging.getLogger('beets')
SAMPLE_MAX = 1 << 15
class ReplayGainError(Exception):
"""Raised when an error occurs during mp3gain/aacgain execution.
@ -45,52 +46,27 @@ def call(args):
# http://code.google.com/p/beets/issues/detail?id=499
raise ReplayGainError("argument encoding failed")
def parse_tool_output(text):
"""Given the tab-delimited output from an invocation of mp3gain
or aacgain, parse the text and return a list of dictionaries
containing information about each analyzed file.
"""
out = []
for line in text.split('\n'):
parts = line.split('\t')
if len(parts) != 6 or parts[0] == 'File':
continue
out.append({
'file': parts[0],
'mp3gain': int(parts[1]),
'gain': float(parts[2]),
'peak': float(parts[3]) / SAMPLE_MAX,
'maxgain': int(parts[4]),
'mingain': int(parts[5]),
})
return out
class Backend(object):
Gain = collections.namedtuple("Gain", "gain peak")
AlbumGain = collections.namedtuple("AlbumGain", "album_gain track_gains")
class ReplayGainPlugin(BeetsPlugin):
"""Provides ReplayGain analysis.
"""
def __init__(self):
super(ReplayGainPlugin, self).__init__()
self.import_stages = [self.imported]
def __init__(self, config):
pass
self.config.add({
'overwrite': False,
'albumgain': False,
'noclip': True,
'apply_gain': False,
'targetlevel': 89,
'auto': True,
'command': u'',
})
def compute_track_gain(self, items):
raise NotImplementedError()
self.overwrite = self.config['overwrite'].get(bool)
self.albumgain = self.config['albumgain'].get(bool)
self.noclip = self.config['noclip'].get(bool)
self.apply_gain = self.config['apply_gain'].get(bool)
target_level = self.config['targetlevel'].as_number()
self.gain_offset = int(target_level - 89)
self.automatic = self.config['auto'].get(bool)
self.command = self.config['command'].get(unicode)
def compute_album_gain(self, album):
# TODO: implement album gain in terms of track gain of the individual tracks which can be used for any backend.
raise NotImplementedError()
class CommandBackend(Backend):
def __init__(self, config):
super(CommandBackend, self).__init__(config)
self.command = config["command"].get(unicode)
if self.command:
# Explicit executable path.
if not os.path.isfile(self.command):
@ -111,83 +87,40 @@ class ReplayGainPlugin(BeetsPlugin):
raise ui.UserError(
'no replaygain command found: install mp3gain or aacgain'
)
self.noclip = config['noclip'].get(bool)
target_level = config['targetlevel'].as_number()
self.gain_offset = int(target_level - 89)
def imported(self, session, task):
"""Our import stage function."""
if not self.automatic:
return
def compute_track_gain(self, items):
supported_items = filter(self.format_supported, items)
output = self.compute_gain(supported_items, False)
return output
if task.is_album:
album = session.lib.get_album(task.album_id)
items = list(album.items())
else:
items = [task.item]
def compute_album_gain(self, album):
# TODO: What should be done when not all tracks in the album are supported?
results = self.compute_rgain(items, task.is_album)
if results:
self.store_gain(session.lib, items, results,
album if task.is_album else None)
supported_items = filter(self.format_supported, album.items())
if len(supported_items) != len(album.items()):
return Backend.AlbumGain(None, [])
def commands(self):
"""Provide a ReplayGain command."""
def func(lib, opts, args):
write = config['import']['write'].get(bool)
if opts.album:
# Analyze albums.
for album in lib.albums(ui.decargs(args)):
log.info(u'analyzing {0} - {1}'.format(album.albumartist,
album.album))
items = list(album.items())
results = self.compute_rgain(items, True)
if results:
self.store_gain(lib, items, results, album)
if write:
for item in items:
item.write()
else:
# Analyze individual tracks.
for item in lib.items(ui.decargs(args)):
log.info(u'analyzing {0} - {1}'.format(item.artist,
item.title))
results = self.compute_rgain([item], False)
if results:
self.store_gain(lib, [item], results, None)
if write:
item.write()
cmd = ui.Subcommand('replaygain', help='analyze for ReplayGain')
cmd.parser.add_option('-a', '--album', action='store_true',
help='analyze albums instead of tracks')
cmd.func = func
return [cmd]
def requires_gain(self, item, album=False):
"""Does the gain need to be computed?"""
output = self.compute_gain(supported_items, True)
return Backend.AlbumGain(output[-1], output[:-1])
def format_supported(self, item):
if 'mp3gain' in self.command and item.format != 'MP3':
return False
elif 'aacgain' in self.command and item.format not in ('MP3', 'AAC'):
return False
return self.overwrite or \
(not item.rg_track_gain or not item.rg_track_peak) or \
((not item.rg_album_gain or not item.rg_album_peak) and \
album)
return True
def compute_gain(self, items, is_album):
if len(items) == 0:
return []
def compute_rgain(self, items, album=False):
"""Compute ReplayGain values and return a list of results
dictionaries as given by `parse_tool_output`.
"""
# Skip calculating gain only when *all* files don't need
# recalculation. This way, if any file among an album's tracks
# needs recalculation, we still get an accurate album gain
# value.
if all([not self.requires_gain(i, album) for i in items]):
log.debug(u'replaygain: no gain to compute')
return
# Construct shell command. The "-o" option makes the output
# easily parseable (tab-delimited). "-s s" forces gain
# recalculation even if tags are already present and disables
@ -201,44 +134,180 @@ class ReplayGainPlugin(BeetsPlugin):
else:
# Disable clipping warning.
cmd = cmd + ['-c']
if self.apply_gain:
# Lossless audio adjustment.
cmd = cmd + ['-a' if album and self.albumgain else '-r']
cmd = cmd + ['-a' if is_album else '-r']
cmd = cmd + ['-d', str(self.gain_offset)]
cmd = cmd + [syspath(i.path) for i in items]
log.debug(u'replaygain: analyzing {0} files'.format(len(items)))
try:
log.debug(u"replaygain: executing %s" % " ".join(cmd))
output = call(cmd)
except ReplayGainError as exc:
log.warn(u'replaygain: analysis failed ({0})'.format(exc))
return
log.debug(u'replaygain: analysis finished')
results = parse_tool_output(output)
results = self.parse_tool_output(output, len(items) + (1 if is_album else 0))
return results
def store_gain(self, lib, items, rgain_infos, album=None):
"""Store computed ReplayGain values to the Items and the Album
(if it is provided).
def parse_tool_output(self, text, num_lines):
"""Given the tab-delimited output from an invocation of mp3gain
or aacgain, parse the text and return a list of dictionaries
containing information about each analyzed file.
"""
for item, info in zip(items, rgain_infos):
item.rg_track_gain = info['gain']
item.rg_track_peak = info['peak']
item.store()
out = []
for line in text.split('\n')[1:num_lines + 1]:
parts = line.split('\t')
d = {
'file': parts[0],
'mp3gain': int(parts[1]),
'gain': float(parts[2]),
'peak': float(parts[3]) / (1 << 15),
'maxgain': int(parts[4]),
'mingain': int(parts[5]),
}
out.append(Backend.Gain(d['gain'], d['peak']))
return out
@staticmethod
def initialize_config(config):
config.add({
'command': u"",
'noclip': True,
'targetlevel': 89})
class ReplayGainPlugin(BeetsPlugin):
"""Provides ReplayGain analysis.
"""
BACKENDS = { "command" : CommandBackend, # "gstreamer" : GStreamerBackend
}
def __init__(self):
super(ReplayGainPlugin, self).__init__()
self.import_stages = [self.imported]
self.config.add({
'overwrite': False,
'auto': True,
'backend': u'',
})
self.overwrite = self.config['overwrite'].get(bool)
self.automatic = self.config['auto'].get(bool)
backend_name = self.config['backend'].get(unicode)
if backend_name not in ReplayGainPlugin.BACKENDS:
raise ui.UserError("Selected backend %s is not supported, please select one of: %s" % (backend_name, ReplayGainPlugin.BACKENDS.keys()))
self.backend = ReplayGainPlugin.BACKENDS[backend_name].initialize_config(self.config)
self.backend_instance = ReplayGainPlugin.BACKENDS[backend_name](self.config)
def track_requires_gain(self, item):
return self.overwrite or \
(not item.rg_track_gain or not item.rg_track_peak)
def album_requires_gain(self, album):
# Skip calculating gain only when *all* files don't need
# recalculation. This way, if any file among an album's tracks
# needs recalculation, we still get an accurate album gain
# value.
return self.overwrite or \
not all([not item.rg_album_gain or not item.rg_album_peak for item in album.items()])
def store_track_gain(self, item, track_gain):
item.rg_track_gain = track_gain.gain
item.rg_track_peak = track_gain.peak
item.store()
log.debug(u'replaygain: applied track gain {0}, peak {1}'.format(
item.rg_track_gain,
item.rg_track_peak
))
def store_album_gain(self, album, album_gain):
album.rg_album_gain = album_gain.gain
album.rg_album_peak = album_gain.peak
album.store()
log.debug(u'replaygain: applied album gain {0}, peak {1}'.format(
album.rg_album_gain,
album.rg_album_peak
))
def handle_album(self, album, write):
if not self.album_requires_gain(album):
log.info(u'Skipping album {0} - {1}'.format(album.albumartist,
album.album))
album_gain = self.backend_instance.compute_album_gain(album)
if len(album_gain.track_gains) != len(album.items()):
log.warn("ReplayGain backend failed for some tracks in album %s - %s" % (album.albumartist, album.album))
return
self.store_album_gain(album, album_gain.album_gain)
for item, track_gain in itertools.izip(album.items(), album_gain.track_gains):
self.store_track_gain(item, track_gain)
if write:
item.write()
def handle_track(self, item, write):
if not self.track_requires_gain(item):
log.info(u'Skipping track {0} - {1}'.format(item.artist,
item.title))
track_gains = self.backend_instance.compute_track_gain([item])
if len(track_gains) != 1:
log.warn("ReplayGain backend failed for track %s - %s" % (item.artist, item.title))
return
self.store_track_gain(item, track_gains[0], write)
def imported(self, session, task):
"""Our import stage function."""
if not self.automatic:
return
if task.is_album:
album = session.lib.get_album(task.album_id)
self.handle_album(album, False)
else:
self.handle_track(task.item, False)
def commands(self):
"""Provide a ReplayGain command."""
def func(lib, opts, args):
write = config['import']['write'].get(bool)
if opts.album:
for album in lib.albums(ui.decargs(args)):
# log.info(u'analyzing {0} - {1}'.format(album.albumartist,
# album.album))
self.handle_album(album, write)
else:
# log.info(u'analyzing {0} - {1}'.format(item.artist,
# item.title))
for item in lib.items(ui.decargs(args)):
self.handle_track(item, write)
cmd = ui.Subcommand('replaygain', help='analyze for ReplayGain')
cmd.parser.add_option('-a', '--album', action='store_true',
help='analyze albums instead of tracks')
cmd.func = func
return [cmd]
log.debug(u'replaygain: applied track gain {0}, peak {1}'.format(
item.rg_track_gain,
item.rg_track_peak
))
if album and self.albumgain:
assert len(rgain_infos) == len(items) + 1
album_info = rgain_infos[-1]
album.rg_album_gain = album_info['gain']
album.rg_album_peak = album_info['peak']
log.debug(u'replaygain: applied album gain {0}, peak {1}'.format(
album.rg_album_gain,
album.rg_album_peak
))
album.store()