/usr/share/mopidy/mopidy_beets/client.py is in mopidy-beets 1.1.0-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | from __future__ import unicode_literals
import logging
import requests
import time
import urllib
from requests.exceptions import RequestException
from mopidy.models import Track, Album, Artist
logger = logging.getLogger(__name__)
class cache(object):
# TODO: merge this to util library
def __init__(self, ctl=8, ttl=3600):
self.cache = {}
self.ctl = ctl
self.ttl = ttl
self._call_count = 1
def __call__(self, func):
def _memoized(*args):
self.func = func
now = time.time()
try:
value, last_update = self.cache[args]
age = now - last_update
if self._call_count >= self.ctl or \
age > self.ttl:
self._call_count = 1
raise AttributeError
self._call_count += 1
return value
except (KeyError, AttributeError):
value = self.func(*args)
self.cache[args] = (value, now)
return value
except TypeError:
return self.func(*args)
return _memoized
class BeetsRemoteClient(object):
def __init__(self, endpoint):
super(BeetsRemoteClient, self).__init__()
self.api = requests.Session()
self.has_connection = False
self.api_endpoint = endpoint
logger.info('Connecting to Beets remote library %s', endpoint)
try:
self.api.get(self.api_endpoint)
self.has_connection = True
except RequestException as e:
logger.error('Beets error: %s' % e)
@cache()
def get_tracks(self):
track_ids = self._get('/item/').get('item_ids')
tracks = []
for track_id in track_ids:
tracks.append(self.get_track(track_id))
return tracks
@cache(ctl=16)
def get_track(self, id, remote_url=False):
return self._convert_json_data(self._get('/item/%s' % id), remote_url)
@cache()
def get_item_by(self, name):
if isinstance(name, unicode):
name = name.encode('utf-8')
res = self._get('/item/query/%s' %
urllib.quote(name)).get('results')
try:
return self._parse_query(res)
except Exception:
return False
@cache()
def get_album_by(self, name):
if isinstance(name, unicode):
name = name.encode('utf-8')
res = self._get('/album/query/%s' %
urllib.quote(name)).get('results')
try:
return self._parse_query(res[0]['items'])
except Exception:
return False
def _get(self, url):
try:
url = self.api_endpoint + url
logger.debug('Requesting %s' % url)
req = self.api.get(url)
if req.status_code != 200:
raise logger.error('Request %s, failed with status code %s' % (
url, req.status_code))
return req.json()
except Exception as e:
return False
logger.error('Request %s, failed with error %s' % (
url, e))
def _parse_query(self, res):
if len(res) > 0:
tracks = []
for track in res:
tracks.append(self._convert_json_data(track))
return tracks
return None
def _convert_json_data(self, data, remote_url=False):
if not data:
return
track_kwargs = {}
album_kwargs = {}
artist_kwargs = {}
albumartist_kwargs = {}
if 'track' in data:
track_kwargs['track_no'] = int(data['track'])
if 'tracktotal' in data:
album_kwargs['num_tracks'] = int(data['tracktotal'])
if 'artist' in data:
artist_kwargs['name'] = data['artist']
albumartist_kwargs['name'] = data['artist']
if 'albumartist' in data:
albumartist_kwargs['name'] = data['albumartist']
if 'album' in data:
album_kwargs['name'] = data['album']
if 'title' in data:
track_kwargs['name'] = data['title']
if 'date' in data:
track_kwargs['date'] = data['date']
if 'mb_trackid' in data:
track_kwargs['musicbrainz_id'] = data['mb_trackid']
if 'mb_albumid' in data:
album_kwargs['musicbrainz_id'] = data['mb_albumid']
if 'mb_artistid' in data:
artist_kwargs['musicbrainz_id'] = data['mb_artistid']
if 'mb_albumartistid' in data:
albumartist_kwargs['musicbrainz_id'] = (
data['mb_albumartistid'])
if 'album_id' in data:
album_art_url = '%s/album/%s/art' % (
self.api_endpoint, data['album_id'])
album_kwargs['images'] = [album_art_url]
if artist_kwargs:
artist = Artist(**artist_kwargs)
track_kwargs['artists'] = [artist]
if albumartist_kwargs:
albumartist = Artist(**albumartist_kwargs)
album_kwargs['artists'] = [albumartist]
if album_kwargs:
album = Album(**album_kwargs)
track_kwargs['album'] = album
if remote_url:
track_kwargs['uri'] = '%s/item/%s/file' % (
self.api_endpoint, data['id'])
else:
track_kwargs['uri'] = 'beets:track;%s' % data['id']
track_kwargs['length'] = int(data.get('length', 0)) * 1000
track = Track(**track_kwargs)
return track
|