grooveondemand/groove/playlist.py

392 lines
13 KiB
Python
Raw Normal View History

2022-12-06 22:17:53 -08:00
import logging
import os
from textwrap import indent
2022-12-06 22:17:53 -08:00
from typing import Union, List
from groove import db
2022-12-06 22:17:53 -08:00
from groove.editor import PlaylistEditor, EDITOR_TEMPLATE
2022-12-07 23:10:41 -08:00
from groove.exceptions import PlaylistValidationError, TrackNotFoundError
2022-12-06 22:17:53 -08:00
from slugify import slugify
from sqlalchemy import func, delete
from sqlalchemy.orm.session import Session
from sqlalchemy.engine.row import Row
from sqlalchemy.exc import NoResultFound, MultipleResultsFound
from yaml.scanner import ScannerError
class Playlist:
"""
CRUD operations and convenience methods for playlists.
"""
def __init__(self,
2022-12-07 18:19:38 -08:00
name: str,
session: Session,
2022-12-07 23:10:41 -08:00
slug: str = '',
description: str = '',
2022-12-02 00:21:19 -08:00
create_ok=True):
self._session = session
self._name = name
2022-12-07 23:10:41 -08:00
if not self._name:
raise PlaylistValidationError("Name cannot be empty.")
self._slug = slug or slugify(name)
self._description = description
self._entries = []
2022-12-02 00:21:19 -08:00
self._record = None
self._create_ok = create_ok
self._deleted = False
2022-12-06 22:17:53 -08:00
self._editor = PlaylistEditor()
2022-12-02 00:21:19 -08:00
@property
def deleted(self) -> bool:
return self._deleted
@property
def exists(self) -> bool:
2022-12-02 00:21:19 -08:00
if self.deleted:
2022-12-02 21:43:51 -08:00
logging.debug("Playlist has been deleted.")
2022-12-02 00:21:19 -08:00
return False
if not self._record:
2022-12-02 21:43:51 -08:00
if self._create_ok:
return True and self.record
return False
2022-12-02 00:21:19 -08:00
return True
2022-12-06 22:17:53 -08:00
@property
def editor(self):
return self._editor
@property
def name(self):
return self._name
@property
def description(self):
return self._description
2022-11-30 00:09:23 -08:00
@property
def info(self):
count = len(self.entries)
return f"{self.name}: {self.url} [{count} tracks]\n{self.description}\n"
@property
def url(self) -> str:
base = os.environ.get('BASE_URL', f"http://{os.environ['HOST']}:{os.environ['PORT']}")
return f"{base}/playlist/{self.slug}"
2022-11-30 00:09:23 -08:00
@property
2022-12-02 00:21:19 -08:00
def slug(self) -> str:
return self._slug
@property
2022-12-02 00:21:19 -08:00
def session(self) -> Session:
return self._session
@property
2022-12-07 23:10:41 -08:00
def record(self) -> Union[Row, None, bool]:
"""
Cache the playlist row from the database and return it. Optionally create it if it doesn't exist.
2022-12-07 23:10:41 -08:00
Returns:
None: If we've never tried to get or create the record
False: False if we've tried and failed to get the record
Row: The record as it appears in the database.
"""
2022-12-07 23:10:41 -08:00
if self._record is None:
self.get_or_create()
return self._record
@property
def entries(self) -> List:
"""
Cache the list of entries on this playlist and return it.
"""
if not self._entries:
if self.record:
query = self.session.query(
db.entry,
db.track
).filter(
2022-12-07 23:10:41 -08:00
(db.playlist.c.id == self._record.id)
).filter(
db.entry.c.playlist_id == db.playlist.c.id
).filter(
db.entry.c.track_id == db.track.c.id
).order_by(
db.entry.c.track
)
self._entries = query.all()
return self._entries
@property
def as_dict(self) -> dict:
"""
Return a dictionary of the playlist and its entries.
"""
2022-12-07 18:19:38 -08:00
playlist = {
'name': self.name,
'slug': self.slug,
'description': self.description,
'url': self.url
2022-12-07 18:19:38 -08:00
}
if self.record:
playlist.update(dict(self.record))
playlist['entries'] = [dict(entry) for entry in self.entries]
return playlist
2022-11-30 00:09:23 -08:00
@property
def as_string(self) -> str:
text = self.info
for (tracknum, entry) in enumerate(self.entries):
text += f" {tracknum+1:-3d}. {entry.artist} - {entry.title}\n"
2022-11-30 00:09:23 -08:00
return text
2022-12-06 22:17:53 -08:00
@property
def as_yaml(self) -> str:
template_vars = self.as_dict
template_vars['description'] = indent(template_vars['description'], prefix=' ')
2022-12-06 22:17:53 -08:00
template_vars['entries'] = ''
for entry in self.entries:
template_vars['entries'] += f' - "{entry.artist}": "{entry.title}"\n'
2022-12-06 22:17:53 -08:00
return EDITOR_TEMPLATE.format(**template_vars)
2022-12-02 00:21:19 -08:00
def _get_tracks_by_path(self, paths: List[str]) -> List:
"""
Retrieve tracks from the database that match the specified path fragments. The exceptions NoResultFound and
MultipleResultsFound are expected in the case of no matches and multiple matches, respectively.
"""
2022-12-07 23:10:41 -08:00
for path in paths:
try:
yield self.session.query(db.track).filter(
db.track.c.relpath.ilike(f"%{path}%")
).one()
except NoResultFound:
raise TrackNotFoundError(f'Could not find track for path "{path}"')
2022-12-02 00:21:19 -08:00
def _get_tracks_by_artist_and_title(self, entries: List[tuple]) -> List:
2022-12-07 23:10:41 -08:00
for (artist, title) in entries:
try:
yield self.session.query(db.track).filter(
db.track.c.artist == artist, db.track.c.title == title
).one()
except NoResultFound: # pragma: no cover
raise TrackNotFoundError(f'Could not find track "{artist}": "{title}"')
def _get(self):
try:
return self.session.query(db.playlist).filter(
db.playlist.c.slug == self.slug
).one()
2022-12-07 23:10:41 -08:00
except NoResultFound:
logging.debug(f"Could not find a playlist with slug {self.slug}.")
return False
def _insert(self, values):
stmt = db.playlist.insert(values)
results = self.session.execute(stmt)
self.session.commit()
logging.debug(f"Inserted playlist with slug {self.slug}")
return self.session.query(db.playlist).filter(
db.playlist.c.id == results.inserted_primary_key[0]
).one()
def _update(self, values):
stmt = db.playlist.update().where(
db.playlist.c.id == self._record.id
).values(values)
self.session.execute(stmt)
self.session.commit()
return self.session.query(db.playlist).filter(
db.playlist.c.id == self._record.id
).one()
2022-12-06 22:17:53 -08:00
def edit(self):
edits = self.editor.edit(self)
if not edits:
return
try:
new = Playlist.from_yaml(edits, self.session)
if new == self:
logging.debug("No changes detected.")
return
except (TypeError, ScannerError) as e:
logging.error(e)
raise PlaylistValidationError(
"An error occurred reading the input file; this is typically "
"the result of an error in the YAML structure."
)
except TrackNotFoundError as e:
logging.error(e)
raise PlaylistValidationError(
"One or more of the specified tracks "
"did not exactly match an entry in the database."
)
2022-12-06 22:17:53 -08:00
logging.debug(f"Updating {self.slug} with new edits.")
self._slug = new.slug
self._name = new.name.strip()
self._description = new.description.strip()
self._entries = new._entries
self.save()
2022-12-06 22:17:53 -08:00
def add(self, paths: List[str]) -> int:
"""
Add entries to the playlist. Each path should match one and only one track in the database (case-insensitive).
If a path doesn't match any track, or if a path matches multiple tracks, nothing is added to the playlist.
Args:
paths (list): A list of partial paths to add.
Returns:
int: The number of tracks added.
"""
logging.debug(f"Attempting to add tracks matching: {paths}")
try:
2022-12-07 23:10:41 -08:00
return self.create_entries(list(self._get_tracks_by_path(paths)))
except NoResultFound: # pragma: no cover
logging.error("One or more of the specified paths do not match any tracks in the database.")
return 0
2022-12-07 23:10:41 -08:00
except MultipleResultsFound: # pragma: no cover
logging.error("One or more of the specified paths matches multiple tracks in the database.")
return 0
def delete(self) -> Union[int, None]:
"""
Delete a playlist and its entries from the database, then clear the cached values.
"""
if not self.record:
return None
plid = self.record.id
stmt = delete(db.entry).where(db.entry.c.playlist_id == plid)
logging.debug(f"Deleting entries associated with playlist {plid}: {stmt}")
self.session.execute(stmt)
stmt = delete(db.playlist).where(db.playlist.c.id == plid)
logging.debug(f"Deleting playlist {plid}: {stmt}")
self.session.execute(stmt)
self.session.commit()
self._record = None
self._entries = None
2022-12-02 00:21:19 -08:00
self._deleted = True
return plid
2022-12-02 00:21:19 -08:00
def get_or_create(self, create_ok: bool = False) -> Row:
2022-12-07 23:10:41 -08:00
if self._record is None:
self._record = self._get()
2022-12-17 18:02:12 -08:00
if self._record:
self._description = self._record.description
self._name = self._record.name
self._slug = self._record.slug
2022-12-07 23:10:41 -08:00
if not self._record:
if self.deleted:
raise PlaylistValidationError("Object has been deleted.")
if self._create_ok or create_ok:
self.save()
2022-12-06 22:17:53 -08:00
def save(self) -> Row:
values = {
'slug': self.slug,
'name': self.name,
'description': self.description
}
2022-12-07 18:19:38 -08:00
if not self.name:
raise PlaylistValidationError("This playlist has no name.")
if not self.slug:
raise PlaylistValidationError("This playlist has no slug.")
self._record = self._update(values) if self._record else self._insert(values)
logging.debug(f"Saved playlist {self._record.id} with slug {self._record.slug}")
self.save_entries()
def save_entries(self):
plid = self.record.id
stmt = delete(db.entry).where(db.entry.c.playlist_id == plid)
2022-12-07 18:19:38 -08:00
logging.debug(f"Deleting stale entries associated with playlist {plid}: {stmt}")
self.session.execute(stmt)
return self.create_entries(self.entries)
2022-12-06 22:17:53 -08:00
2022-11-30 00:09:23 -08:00
def create_entries(self, tracks: List[Row]) -> int:
"""
Append a list of tracks to a playlist by populating the entries table with records referencing the playlist and
the specified tracks.
Args:
tracks (list): A list of Row objects from the track table.
Returns:
int: The number of tracks added.
"""
2022-12-07 18:19:38 -08:00
if not tracks:
tracks = self.entries
if not tracks:
return 0
2022-12-02 00:21:19 -08:00
maxtrack = self.session.query(func.max(db.entry.c.track)).filter_by(
playlist_id=self.record.id
).one()[0] or 0
self.session.execute(
db.entry.insert(),
[
{'playlist_id': self.record.id, 'track_id': obj.id, 'track': idx}
for (idx, obj) in enumerate(tracks, start=maxtrack+1)
]
)
self.session.commit()
self._entries = None
return len(tracks)
2022-12-07 18:19:38 -08:00
@classmethod
def by_slug(cls, slug, session):
try:
row = session.query(db.playlist).filter(
db.playlist.c.slug == slug
).one()
except NoResultFound as ex:
logging.error(f"Could not locate an existing playlist with slug {slug}.")
raise ex
return cls.from_row(row, session)
@classmethod
def from_row(cls, row, session):
2022-12-07 18:19:38 -08:00
pl = Playlist(
slug=row.slug,
name=row.name,
description=row.description,
session=session
)
pl._record = row
return pl
2022-12-06 22:17:53 -08:00
@classmethod
2022-12-07 23:10:41 -08:00
def from_yaml(cls, source, session, create_ok=False):
2022-12-06 22:17:53 -08:00
try:
name = list(source.keys())[0].strip()
description = (source[name]['description'] or '').strip()
pl = Playlist(
2022-12-06 22:17:53 -08:00
slug=slugify(name),
name=name,
description=description,
session=session,
2022-12-07 23:10:41 -08:00
create_ok=create_ok
2022-12-06 22:17:53 -08:00
)
if not source[name]['entries']:
pl._entries = []
else:
pl._entries = list(pl._get_tracks_by_artist_and_title(entries=[
list(entry.items())[0] for entry in source[name]['entries']
]))
except (IndexError, KeyError, AttributeError):
2022-12-07 23:10:41 -08:00
raise PlaylistValidationError("The specified source was not a valid playlist.")
return pl
2022-12-06 22:17:53 -08:00
def __eq__(self, obj):
logging.debug(f"Comparing obj to self:\n{obj.as_string}\n--\n{self.as_string}")
return obj.as_string == self.as_string
2022-12-06 22:17:53 -08:00
for key in ('slug', 'name', 'description'):
if getattr(obj, key) != getattr(self, key):
logging.debug(f"{key}: {getattr(obj, key)} != {getattr(self, key)}")
return False
return True
def __repr__(self):
2022-11-30 00:09:23 -08:00
return self.as_string