-
-
Notifications
You must be signed in to change notification settings - Fork 368
Add Tag Player plugin for linking identifiers to media #2958
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Draft
ztripez
wants to merge
2
commits into
music-assistant:dev
Choose a base branch
from
ztripez:feature/tagplayer-provider
base: dev
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
+662
−0
Draft
Changes from 1 commit
Commits
Show all changes
2 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,230 @@ | ||
| """ | ||
| Tag Player plugin for Music Assistant. | ||
|
|
||
| Links arbitrary identifiers (NFC tags, QR codes, etc.) to media items for quick playback. | ||
| Uses provider mappings on existing library items — no custom database tables. | ||
|
|
||
| Usage: | ||
| - Link tags via API: tagplayer/link with tag_id and target (e.g., "playlist/42") | ||
| - Play via API: tagplayer/play with tag_id and player_id | ||
| - Play via URI: tagplayer://<media_type>/<tag_id> (media type must match the linked item) | ||
| """ | ||
|
|
||
| from __future__ import annotations | ||
|
|
||
| from collections.abc import Callable | ||
| from typing import TYPE_CHECKING, Any | ||
|
|
||
| from music_assistant_models.enums import MediaType, QueueOption | ||
| from music_assistant_models.errors import MediaNotFoundError | ||
| from music_assistant_models.media_items import ProviderMapping | ||
|
|
||
| from music_assistant.models.plugin import PluginProvider | ||
|
|
||
| if TYPE_CHECKING: | ||
| from music_assistant_models.config_entries import ConfigEntry, ConfigValueType, ProviderConfig | ||
| from music_assistant_models.media_items import MediaItemType | ||
| from music_assistant_models.provider import ProviderManifest | ||
|
|
||
| from music_assistant.mass import MusicAssistant | ||
| from music_assistant.models import ProviderInstanceType | ||
|
|
||
| # Media types that support tag mappings | ||
| TAGGABLE_MEDIA_TYPES = ( | ||
| MediaType.TRACK, | ||
| MediaType.ALBUM, | ||
| MediaType.PLAYLIST, | ||
| MediaType.ARTIST, | ||
| MediaType.RADIO, | ||
| MediaType.AUDIOBOOK, | ||
| MediaType.PODCAST, | ||
| ) | ||
|
|
||
|
|
||
| async def setup( | ||
| mass: MusicAssistant, manifest: ProviderManifest, config: ProviderConfig | ||
| ) -> ProviderInstanceType: | ||
| """Initialize provider instance with given configuration.""" | ||
| return TagPlayerProvider(mass, manifest, config, set()) | ||
|
|
||
|
|
||
| async def get_config_entries( | ||
| mass: MusicAssistant, # noqa: ARG001 | ||
| instance_id: str | None = None, # noqa: ARG001 | ||
| action: str | None = None, # noqa: ARG001 | ||
| values: dict[str, ConfigValueType] | None = None, # noqa: ARG001 | ||
| ) -> tuple[ConfigEntry, ...]: | ||
| """Return Config entries to setup this provider.""" | ||
| return () | ||
|
|
||
|
|
||
| class TagPlayerProvider(PluginProvider): | ||
| """Tag Player plugin that links identifiers to existing library items.""" | ||
|
|
||
| _unregister_commands: list[Callable[[], None]] | ||
|
|
||
| async def loaded_in_mass(self) -> None: | ||
| """Register API commands after the provider is loaded.""" | ||
| self._unregister_commands = [ | ||
| self.mass.register_api_command("tagplayer/link", self.link_tag), | ||
| self.mass.register_api_command("tagplayer/unlink", self.unlink_tag), | ||
| self.mass.register_api_command("tagplayer/get", self.get_tag), | ||
| self.mass.register_api_command("tagplayer/list", self.list_tags), | ||
| self.mass.register_api_command("tagplayer/play", self.play_tag), | ||
| ] | ||
|
|
||
| async def unload(self, is_removed: bool = False) -> None: | ||
| """Unregister API commands and clean up.""" | ||
| for unregister in self._unregister_commands: | ||
| unregister() | ||
| self._unregister_commands.clear() | ||
|
|
||
| async def link_tag(self, tag_id: str, target: str) -> dict[str, Any]: | ||
| """Link a tag identifier to a library media item. | ||
|
|
||
| Adds a provider mapping with available=False on the target item so the tag | ||
| resolves to it via URI (tagplayer://<media_type>/<tag_id>) without interfering | ||
| with streaming through the item's real providers. | ||
|
|
||
| :param tag_id: The tag identifier (NFC serial, QR code content, etc.). | ||
| :param target: Media path like "track/42" or "playlist/5". | ||
| """ | ||
| if not tag_id or not tag_id.strip(): | ||
| raise ValueError("tag_id cannot be empty") | ||
|
|
||
| media_type, library_id = self._parse_target(target) | ||
| controller = self.mass.music.get_controller(media_type) | ||
|
|
||
| # verify the library item exists | ||
| await controller.get_library_item(library_id) | ||
|
|
||
| # check if this tag is already linked to a different item and unlink it | ||
| existing = await self._find_tagged_item(tag_id) | ||
| if existing is not None: | ||
| old_type, old_item = existing | ||
| old_ctrl = self.mass.music.get_controller(old_type) | ||
| await old_ctrl.remove_provider_mapping(int(old_item.item_id), self.instance_id, tag_id) | ||
|
|
||
| mapping = ProviderMapping( | ||
| item_id=tag_id, | ||
| provider_domain=self.domain, | ||
| provider_instance=self.instance_id, | ||
| available=False, | ||
| ) | ||
| await controller.add_provider_mapping(library_id, mapping) | ||
|
|
||
| uri = f"{self.domain}://{media_type.value}/{tag_id}" | ||
| self.logger.debug( | ||
| "Linked tag '%s' to %s/%d (URI: %s)", tag_id, media_type.value, library_id, uri | ||
| ) | ||
| return {"tag_id": tag_id, "target": target, "uri": uri} | ||
|
|
||
| async def unlink_tag(self, tag_id: str) -> dict[str, str]: | ||
| """Remove a tag mapping. | ||
|
|
||
| :param tag_id: The tag identifier to unlink. | ||
| """ | ||
| result = await self._find_tagged_item(tag_id) | ||
| if result is None: | ||
| raise MediaNotFoundError(f"Unknown tag: {tag_id}") | ||
|
|
||
| media_type, library_item = result | ||
| controller = self.mass.music.get_controller(media_type) | ||
| await controller.remove_provider_mapping( | ||
| int(library_item.item_id), self.instance_id, tag_id | ||
| ) | ||
|
|
||
| self.logger.debug("Unlinked tag '%s'", tag_id) | ||
| return {"tag_id": tag_id} | ||
|
|
||
| async def get_tag(self, tag_id: str) -> dict[str, Any]: | ||
| """Get the mapping for a single tag. | ||
|
|
||
| :param tag_id: The tag identifier to look up. | ||
| """ | ||
| result = await self._find_tagged_item(tag_id) | ||
| if result is None: | ||
| raise MediaNotFoundError(f"Unknown tag: {tag_id}") | ||
|
|
||
| media_type, library_item = result | ||
| uri = f"{self.domain}://{media_type.value}/{tag_id}" | ||
| return { | ||
| "tag_id": tag_id, | ||
| "media_type": media_type.value, | ||
| "item_id": int(library_item.item_id), | ||
| "name": library_item.name, | ||
| "uri": uri, | ||
| } | ||
|
|
||
| async def list_tags(self) -> list[dict[str, Any]]: | ||
| """List all tag mappings.""" | ||
| tags: list[dict[str, Any]] = [] | ||
| for media_type in TAGGABLE_MEDIA_TYPES: | ||
| controller = self.mass.music.get_controller(media_type) | ||
| items = await controller.library_items(provider=self.instance_id) | ||
| for item in items: | ||
| for mapping in item.provider_mappings: | ||
| if mapping.provider_instance == self.instance_id: | ||
| tags.append( | ||
| { | ||
| "tag_id": mapping.item_id, | ||
| "media_type": media_type.value, | ||
| "item_id": int(item.item_id), | ||
| "name": item.name, | ||
| "uri": f"{self.domain}://{media_type.value}/{mapping.item_id}", | ||
| } | ||
| ) | ||
| return tags | ||
|
|
||
| async def play_tag( | ||
| self, | ||
| tag_id: str, | ||
| player_id: str, | ||
| queue_option: QueueOption = QueueOption.PLAY, | ||
| ) -> None: | ||
| """Resolve a tag and play the linked media on a player. | ||
|
|
||
| :param tag_id: The tag identifier to play. | ||
| :param player_id: The player to play on. | ||
| :param queue_option: How to add to queue (default: PLAY). | ||
| """ | ||
| result = await self._find_tagged_item(tag_id) | ||
| if result is None: | ||
| raise MediaNotFoundError(f"Unknown tag: {tag_id}") | ||
|
|
||
| media_type, library_item = result | ||
| self.logger.debug( | ||
| "Playing tag '%s' -> %s/%s on %s", | ||
| tag_id, | ||
| media_type.value, | ||
| library_item.item_id, | ||
| player_id, | ||
| ) | ||
| await self.mass.player_queues.play_media(player_id, library_item, queue_option) | ||
|
|
||
| async def _find_tagged_item(self, tag_id: str) -> tuple[MediaType, MediaItemType] | None: | ||
| """Search all media types for a library item with the given tag mapping. | ||
|
|
||
| :param tag_id: The tag identifier to search for. | ||
| """ | ||
| for media_type in TAGGABLE_MEDIA_TYPES: | ||
| controller = self.mass.music.get_controller(media_type) | ||
| if item := await controller.get_library_item_by_prov_id(tag_id, self.instance_id): | ||
| return (media_type, item) | ||
| return None | ||
|
|
||
| @staticmethod | ||
| def _parse_target(target: str) -> tuple[MediaType, int]: | ||
| """Parse a target string like 'track/42' into (MediaType, library_id). | ||
|
|
||
| :param target: Target string in the format "media_type/library_id". | ||
| """ | ||
| try: | ||
| media_type_str, item_id_str = target.strip("/").split("/", 1) | ||
| media_type = MediaType(media_type_str) | ||
| if media_type not in TAGGABLE_MEDIA_TYPES: | ||
| raise ValueError | ||
| return (media_type, int(item_id_str)) | ||
| except (ValueError, KeyError) as err: | ||
| msg = f"Invalid target format: {target}. Expected: type/id (e.g., track/42)" | ||
| raise ValueError(msg) from err | ||
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,11 @@ | ||
| { | ||
| "type": "plugin", | ||
| "domain": "tagplayer", | ||
| "stage": "alpha", | ||
| "name": "Tag Player", | ||
| "description": "Link NFC tags, QR codes, or any identifier to media items for quick playback.", | ||
| "codeowners": ["@ztripez"], | ||
| "requirements": [], | ||
| "documentation": "https://music-assistant.io/music-providers/tagplayer/", | ||
|
Contributor
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. This should point to |
||
| "icon": "nfc" | ||
| } | ||
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Let's add the new
MediaType.GENREhere as well?