From 2eb13c85fe72ade75193b589748920615fbb22d2 Mon Sep 17 00:00:00 2001 From: kaliko Date: Sun, 7 Dec 2014 15:11:56 +0100 Subject: [PATCH] New, slightly enhanced, meta Objects. --- doc/Changelog | 7 +++ sima/client.py | 2 + sima/info.py | 2 +- sima/lib/meta.py | 123 ++++++++++++++++++++++++-------------------- sima/lib/player.py | 5 +- sima/lib/simadb.py | 2 +- sima/lib/simastr.py | 35 ------------- sima/lib/track.py | 16 ++---- sima/lib/webserv.py | 8 +-- tests/test_track.py | 6 +-- 10 files changed, 95 insertions(+), 111 deletions(-) diff --git a/doc/Changelog b/doc/Changelog index b2f62ef..249e1e3 100644 --- a/doc/Changelog +++ b/doc/Changelog @@ -1,3 +1,10 @@ +MPD_sima v0.13.0 + + * + +-- kaliko jack UNRELEASED + + MPD_sima v0.12.3 * Use albumartist to fetch similar artists diff --git a/sima/client.py b/sima/client.py index 7c0e5a7..1d3a010 100644 --- a/sima/client.py +++ b/sima/client.py @@ -58,6 +58,8 @@ def blacklist(artist=False, album=False, track=False): field = (artist, album, track) def decorated(func): def wrapper(*args, **kwargs): + if not args[0].database: + return func(*args, **kwargs) cls = args[0] boolgen = (bl for bl in field) bl_fun = (cls.database.get_bl_artist, diff --git a/sima/info.py b/sima/info.py index e1262d4..8225b84 100644 --- a/sima/info.py +++ b/sima/info.py @@ -11,7 +11,7 @@ queue is getting short. """ -__version__ = '0.12.3' +__version__ = '0.13.0' __author__ = 'kaliko jack' __email__ = 'kaliko@azylum.org' __url__ = 'git://git.kaliko.me/sima.git' diff --git a/sima/lib/meta.py b/sima/lib/meta.py index 9265c3c..1c3e511 100644 --- a/sima/lib/meta.py +++ b/sima/lib/meta.py @@ -21,98 +21,111 @@ Defines some object to handle audio file metadata """ -from .simastr import SimaStr +import re + +UUID_RE = r'^[a-f0-9]{8}-[a-f0-9]{4}-4[a-f0-9]{3}-[89aAbB][a-f0-9]{3}-[a-f0-9]{12}$' + +def is_uuid4(uuid): + regexp = re.compile(UUID_RE, re.IGNORECASE) + if regexp.match(uuid): + return True + raise WrongUUID4(uuid) class MetaException(Exception): """Generic Meta Exception""" pass -class NotSameArtist(MetaException): +class WrongUUID4(MetaException): pass class Meta: - """Generic Class for Meta object""" + """Generic Class for Meta object + Meta(name=[, mbid=UUID4]) + """ def __init__(self, **kwargs): self.name = None - self.mbid = None - if 'name' not in kwargs: - raise MetaException('need at least a "name" argument') - self.__dict__.update(kwargs) + self.__mbid = None + if 'name' not in kwargs or not kwargs.get('name'): + raise MetaException('Need a "name" argument') + if 'mbid' in kwargs and kwargs.get('mbid'): + is_uuid4(kwargs.get('mbid')) + # mbid immutable as hash rests on + self.__mbid = kwargs.pop('mbid') + self.__dict__.update(**kwargs) def __repr__(self): - fmt = '{0}(name="{1.name}", mbid="{1.mbid}")' + fmt = '{0}(name={1.name!r}, mbid={1.mbid!r})' return fmt.format(self.__class__.__name__, self) def __str__(self): - return str(self.name) + return self.name.__str__() def __eq__(self, other): """ - Perform mbid equality test if present, - else fallback on fuzzy equality + Perform mbid equality test """ - if hasattr(other, 'mbid'): - if other.mbid and self.mbid: + #if hasattr(other, 'mbid'): # better isinstance? + if isinstance(other, Meta) and self.mbid and other.mbid: + if self.mbid and other.mbid: return self.mbid == other.mbid - return SimaStr(str(self)) == SimaStr(str(other)) + else: + return other.__str__() == self.__str__() + return False def __hash__(self): - if self.mbid is not None: + if self.mbid: return hash(self.mbid) - else: - return id(self) - - def __bool__(self): # empty name not possible for a valid obj - return bool(self.name) + return id(self) -class Album(Meta): - """Info: - If a class that overrides __eq__() needs to retain the implementation of - __hash__() from a parent class, the interpreter must be told this explicitly - by setting __hash__ = .__hash__. - """ - __hash__ = Meta.__hash__ + @property + def mbid(self): + return self.__mbid - def __init__(self, **kwargs): - super().__init__(**kwargs) - def __eq__(self, other): - """ - Perform mbid equality test if present, - else fallback on self.name equality - """ - if hasattr(other, 'mbid'): - if other.mbid and self.mbid: - return self.mbid == other.mbid - return str(self) == str(other) +class Album(Meta): @property def album(self): return self.name - class Artist(Meta): - def __init__(self, **kwargs): - self._aliases = set() - super().__init__(**kwargs) - - def append(self, name): - self._aliases.update({name,}) + def __init__(self, name=None, **kwargs): + """Artist object built from a mapping dict containing at least an + "artist" entry: + >>> trk = {'artist':'Art Name', + >>> 'albumartist': 'Alb Art Name', # optional + >>> 'musicbrainz_artistid': '' , # optional + >>> 'musicbrainz_albumartistid': '', # optional + >>> } + >>> artobj0 = Artist(**trk) + >>> artobj1 = Artist(name='Tool') + """ + self.__aliases = set() + name = kwargs.get('artist', name) + mbid = kwargs.get('musicbrainz_artistid', None) + if (kwargs.get('albumartist', False) and + kwargs.get('albumartist') != 'Various Artists'): + name = kwargs.get('albumartist').split(', ')[0] + if (kwargs.get('musicbrainz_albumartistid', False) and + kwargs.get('musicbrainz_albumartistid') != '89ad4ac3-39f7-470e-963a-56509c546377'): + mbid = kwargs.get('musicbrainz_albumartistid').split(', ')[0] + super().__init__(name=name, mbid=mbid) + + def add_alias(self, other): + if getattr(other, '__str__', None): + if callable(other.__str__): + self.__aliases |= {other.__str__()} + elif isinstance(other, Artist): + self.__aliases |= other._Artist__aliases + else: + raise MetaException('No __str__ method found in {!r}'.format(other)) @property def names(self): - return self._aliases | {self.name,} - - def __add__(self, other): - if isinstance(other, Artist): - if self.mbid == other.mbid: - res = Artist(**self.__dict__) - res._aliases.extend(other.names) - return res - else: - raise NotSameArtist('different mbids: {0} and {1}'.format(self, other)) + return self.__aliases | {self.name,} +# VIM MODLINE # vim: ai ts=4 sw=4 sts=4 expandtab diff --git a/sima/lib/player.py b/sima/lib/player.py index ea57255..cb562b5 100644 --- a/sima/lib/player.py +++ b/sima/lib/player.py @@ -23,7 +23,11 @@ # standard library import import logging +from difflib import get_close_matches +# local import +from .simastr import SimaStr +from ..utils.leven import levenshtein_ratio class Player(object): """Player interface to inherit from. @@ -37,7 +41,6 @@ class Player(object): * current * queue * playlist - * """ def __init__(self): diff --git a/sima/lib/simadb.py b/sima/lib/simadb.py index 430e9c3..280b23d 100644 --- a/sima/lib/simadb.py +++ b/sima/lib/simadb.py @@ -188,7 +188,7 @@ class SimaDB(object): get album information from the database. if not in database insert new entry. Attention: use Track() object!! - Use AlbumArtist tag is provided, fallback to Album tag + Use AlbumArtist tag if provided, fallback to Album tag """ if with_connection: connection = with_connection diff --git a/sima/lib/simastr.py b/sima/lib/simastr.py index 56edbb4..3e3c081 100644 --- a/sima/lib/simastr.py +++ b/sima/lib/simastr.py @@ -156,40 +156,5 @@ class SimaStr(str): return hash(self) != hash(other) -# Script starts here -if __name__ == "__main__": - import time - print(SimaStr('Kétanoue')) - #from leven import levenshtein_ratio - CASES_LIST = list([ - dict({ - 'got': 'Guns N\' Roses (live)!! !', - 'look for': 'Guns And Roses'}), - dict({ - 'got': 'Jesus & Mary Chains', - 'look for': 'The Jesus and Mary Chains - live'}), - dict({ - 'got': 'Desert sessions', - 'look for': 'The Desert Sessions'}), - dict({ - 'got': 'Têtes Raides', - 'look for': 'Les Têtes Raides'}), - dict({ - 'got': 'Noir Désir', - 'look for': 'Noir Désir'}), - dict({ - 'got': 'No Future', - 'look for': 'Future'})]) - - for case in CASES_LIST[:]: - str0 = case.get('got') - str1 = case.get('look for') - fz_str0 = SimaStr(str0) - fz_str1 = SimaStr(str1) - print(fz_str0, '\n', fz_str1) - print(fz_str0.stripped == fz_str1.stripped) - #print levenshtein_ratio(fz_str0.lower(), fz_str1.lower()) - time.sleep(1) - # VIM MODLINE # vim: ai ts=4 sw=4 sts=4 expandtab diff --git a/sima/lib/track.py b/sima/lib/track.py index 6c28351..1bed098 100644 --- a/sima/lib/track.py +++ b/sima/lib/track.py @@ -35,11 +35,11 @@ class Track: self.title = self.artist = self.album = self.albumartist = '' self.musicbrainz_artistid = self.musicbrainz_albumartistid = None self.pos = int(pos) - self._empty = False self._file = file + self._empty = False + self._time = time if not kwargs: self._empty = True - self._time = time self.__dict__.update(**kwargs) self.tags_to_collapse = ['artist', 'album', 'title', 'date', 'genre', 'albumartist', @@ -126,16 +126,10 @@ class Track: fmt = '%M:%S' return time.strftime(fmt, temps) - def get_artist(self): + @property + def Artist(self): """Get artist object from track""" - name = self.artist - mbid = self.musicbrainz_artistid - if self.albumartist and self.albumartist != 'Various Artists': - name = self.albumartist.split(', ')[0] - if (self.musicbrainz_albumartistid and - self.musicbrainz_albumartistid != '89ad4ac3-39f7-470e-963a-56509c546377'): - mbid = self.musicbrainz_albumartistid.split(', ')[0] - return Artist(name=name, mbid=mbid) + return Artist(**self.__dict__) # VIM MODLINE # vim: ai ts=4 sw=4 sts=4 expandtab diff --git a/sima/lib/webserv.py b/sima/lib/webserv.py index 699385d..547c9ce 100644 --- a/sima/lib/webserv.py +++ b/sima/lib/webserv.py @@ -201,10 +201,10 @@ class WebService(Plugin): if len(history) == 0: break trk = history.popleft() - if (trk.get_artist() in extra_arts - or trk.get_artist() == last_trk.get_artist()): + if (trk.Artist in extra_arts + or trk.Artist == last_trk.Artist): continue - extra_arts.append(trk.get_artist()) + extra_arts.append(trk.Artist) depth += 1 self.log.info('EXTRA ARTS: {}'.format( '/'.join([art.name for art in extra_arts]))) @@ -224,7 +224,7 @@ class WebService(Plugin): """ if not self.player.playlist: return [] - tolookfor = self.player.playlist[-1].get_artist() + tolookfor = self.player.playlist[-1].Artist self.log.info('Looking for artist similar to "{}"'.format(tolookfor)) similar = self.ws_similar_artists(tolookfor) if not similar: diff --git a/tests/test_track.py b/tests/test_track.py index b572221..80a709e 100644 --- a/tests/test_track.py +++ b/tests/test_track.py @@ -28,7 +28,7 @@ class TestTrackObject(unittest.TestCase): trk = Track(**DEVOLT) self.assertTrue(trk.collapsed_tags, 'Should have collapsed a tag') self.assertFalse(isinstance(trk.albumartist, list), 'Failed to collapse albumartist tag') - self.assertTrue(trk.get_artist().name in DEVOLT.get('albumartist'), + self.assertTrue(trk.Artist.name in DEVOLT.get('albumartist'), 'Failed to split multiple tag?') def test_boolean_type(self): @@ -36,8 +36,8 @@ class TestTrackObject(unittest.TestCase): def test_albumartist(self): trk = Track(albumartist='album_artist', artist='track_artist') - self.assertEqual(trk.get_artist().name, 'album_artist') + self.assertEqual(trk.Artist.name, 'album_artist') trk = Track(artist='track_artist') - self.assertEqual(trk.get_artist().name, 'track_artist') + self.assertEqual(trk.Artist.name, 'track_artist') # vim: ai ts=4 sw=4 sts=4 expandtab -- 2.39.2