2024-08-30 14:59:02 +00:00
|
|
|
# pyright: reportUnknownArgumentType=none,reportUnknownMemberType=none,reportUnknownVariableType=none,reportTypedDictNotRequiredAccess=none,reportOptionalMemberAccess=none,reportMissingTypeStubs=none
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2022-05-12 07:14:23 +00:00
|
|
|
from .config import config
|
2023-11-04 18:13:42 +00:00
|
|
|
from .discord import DiscordIpcService
|
|
|
|
from .imgur import uploadToImgur
|
2023-11-05 05:24:45 +00:00
|
|
|
from config.constants import name, plexClientID
|
2022-05-10 21:57:06 +00:00
|
|
|
from plexapi.alert import AlertListener
|
2024-02-10 14:42:48 +00:00
|
|
|
from plexapi.media import Genre, Guid
|
2022-05-14 09:43:02 +00:00
|
|
|
from plexapi.myplex import MyPlexAccount, PlexServer
|
|
|
|
from typing import Optional
|
2023-11-04 18:13:42 +00:00
|
|
|
from utils.cache import getCacheKey, setCacheKey
|
2022-05-12 07:14:23 +00:00
|
|
|
from utils.logging import LoggerWithPrefix
|
2024-02-13 08:52:27 +00:00
|
|
|
from utils.text import formatSeconds, truncate
|
2022-05-14 09:43:02 +00:00
|
|
|
import models.config
|
|
|
|
import models.discord
|
|
|
|
import models.plex
|
2023-11-05 05:24:45 +00:00
|
|
|
import requests
|
2022-05-10 20:23:12 +00:00
|
|
|
import threading
|
|
|
|
import time
|
2023-11-05 05:24:45 +00:00
|
|
|
import urllib.parse
|
|
|
|
|
|
|
|
def initiateAuth() -> tuple[str, str, str]:
|
|
|
|
response = requests.post("https://plex.tv/api/v2/pins.json?strong=true", headers = {
|
|
|
|
"X-Plex-Product": name,
|
|
|
|
"X-Plex-Client-Identifier": plexClientID,
|
|
|
|
}).json()
|
|
|
|
authUrl = f"https://app.plex.tv/auth#?clientID={plexClientID}&code={response['code']}&context%%5Bdevice%%5D%%5Bproduct%%5D={urllib.parse.quote(name)}"
|
|
|
|
return response["id"], response["code"], authUrl
|
|
|
|
|
|
|
|
def getAuthToken(id: str, code: str) -> Optional[str]:
|
|
|
|
response = requests.get(f"https://plex.tv/api/v2/pins/{id}.json?code={code}", headers = {
|
|
|
|
"X-Plex-Client-Identifier": plexClientID,
|
|
|
|
}).json()
|
|
|
|
return response["authToken"]
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2024-02-12 11:30:32 +00:00
|
|
|
validMediaTypes = ["movie", "episode", "live_episode", "track", "clip"]
|
2024-02-10 20:20:56 +00:00
|
|
|
buttonTypeGuidTypeMap = {
|
|
|
|
"imdb": "imdb",
|
|
|
|
"tmdb": "tmdb",
|
|
|
|
"thetvdb": "tvdb",
|
|
|
|
"trakt": "tmdb",
|
|
|
|
"letterboxd": "tmdb",
|
|
|
|
"musicbrainz": "mbid",
|
|
|
|
}
|
|
|
|
|
2022-05-12 07:14:23 +00:00
|
|
|
class PlexAlertListener(threading.Thread):
|
2022-05-10 20:23:12 +00:00
|
|
|
|
|
|
|
productName = "Plex Media Server"
|
2022-05-10 21:57:06 +00:00
|
|
|
updateTimeoutTimerInterval = 30
|
2024-02-13 07:58:36 +00:00
|
|
|
connectionCheckTimerInterval = 60
|
2022-05-10 21:57:06 +00:00
|
|
|
maximumIgnores = 2
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2022-05-14 09:43:02 +00:00
|
|
|
def __init__(self, token: str, serverConfig: models.config.Server):
|
2022-05-12 07:14:23 +00:00
|
|
|
super().__init__()
|
|
|
|
self.daemon = True
|
2022-05-10 20:23:12 +00:00
|
|
|
self.token = token
|
|
|
|
self.serverConfig = serverConfig
|
2024-08-30 14:59:02 +00:00
|
|
|
self.logger = LoggerWithPrefix(f"[{self.serverConfig['name']}] ")
|
2023-11-05 10:24:36 +00:00
|
|
|
self.discordIpcService = DiscordIpcService(self.serverConfig.get("ipcPipeNumber"))
|
2022-05-14 09:43:02 +00:00
|
|
|
self.updateTimeoutTimer: Optional[threading.Timer] = None
|
2024-02-13 07:58:36 +00:00
|
|
|
self.connectionCheckTimer: Optional[threading.Timer] = None
|
2022-05-14 09:43:02 +00:00
|
|
|
self.account: Optional[MyPlexAccount] = None
|
|
|
|
self.server: Optional[PlexServer] = None
|
|
|
|
self.alertListener: Optional[AlertListener] = None
|
|
|
|
self.lastState, self.lastSessionKey, self.lastRatingKey = "", 0, 0
|
|
|
|
self.listenForUser, self.isServerOwner, self.ignoreCount = "", False, 0
|
2022-05-12 07:14:23 +00:00
|
|
|
self.start()
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2022-05-14 09:43:02 +00:00
|
|
|
def run(self) -> None:
|
2024-02-13 07:58:36 +00:00
|
|
|
while True:
|
2022-05-10 20:23:12 +00:00
|
|
|
try:
|
2022-05-22 17:03:17 +00:00
|
|
|
self.logger.info("Signing into Plex")
|
2022-05-14 09:43:02 +00:00
|
|
|
self.account = MyPlexAccount(token = self.token)
|
2023-11-05 10:24:36 +00:00
|
|
|
self.logger.info("Signed in as Plex user '%s'", self.account.username)
|
2023-11-04 18:13:42 +00:00
|
|
|
self.listenForUser = self.serverConfig.get("listenForUser", "") or self.account.username
|
2022-05-14 09:43:02 +00:00
|
|
|
self.server = None
|
|
|
|
for resource in self.account.resources():
|
2022-05-11 00:03:51 +00:00
|
|
|
if resource.product == self.productName and resource.name.lower() == self.serverConfig["name"].lower():
|
2023-11-05 10:24:36 +00:00
|
|
|
self.logger.info("Connecting to %s '%s'", self.productName, self.serverConfig["name"])
|
2022-05-14 09:43:02 +00:00
|
|
|
self.server = resource.connect()
|
2022-05-10 20:23:12 +00:00
|
|
|
try:
|
2022-05-14 09:43:02 +00:00
|
|
|
self.server.account()
|
2022-05-10 20:23:12 +00:00
|
|
|
self.isServerOwner = True
|
|
|
|
except:
|
|
|
|
pass
|
2023-11-05 10:24:36 +00:00
|
|
|
self.logger.info("Connected to %s '%s'", self.productName, resource.name)
|
2024-02-10 22:37:37 +00:00
|
|
|
self.alertListener = AlertListener(self.server, self.tryHandleAlert, self.reconnect)
|
2022-05-14 09:43:02 +00:00
|
|
|
self.alertListener.start()
|
2023-11-05 10:24:36 +00:00
|
|
|
self.logger.info("Listening for alerts from user '%s'", self.listenForUser)
|
2024-02-13 07:58:36 +00:00
|
|
|
self.connectionCheckTimer = threading.Timer(self.connectionCheckTimerInterval, self.connectionCheck)
|
|
|
|
self.connectionCheckTimer.start()
|
|
|
|
return
|
2022-05-14 09:43:02 +00:00
|
|
|
if not self.server:
|
2023-11-05 05:24:45 +00:00
|
|
|
raise Exception("Server not found")
|
2022-05-10 20:23:12 +00:00
|
|
|
except Exception as e:
|
2024-08-30 14:59:02 +00:00
|
|
|
self.logger.error("Failed to connect to %s '%s': %s", self.productName, self.serverConfig["name"], e)
|
2022-05-10 20:23:12 +00:00
|
|
|
self.logger.error("Reconnecting in 10 seconds")
|
|
|
|
time.sleep(10)
|
|
|
|
|
2022-05-14 09:43:02 +00:00
|
|
|
def disconnect(self) -> None:
|
|
|
|
if self.alertListener:
|
|
|
|
try:
|
|
|
|
self.alertListener.stop()
|
|
|
|
except:
|
|
|
|
pass
|
2022-05-12 08:56:08 +00:00
|
|
|
self.disconnectRpc()
|
2024-02-13 07:58:36 +00:00
|
|
|
if self.connectionCheckTimer:
|
|
|
|
self.connectionCheckTimer.cancel()
|
|
|
|
self.connectionCheckTimer = None
|
2022-05-14 09:43:02 +00:00
|
|
|
self.account, self.server, self.alertListener, self.listenForUser, self.isServerOwner, self.ignoreCount = None, None, None, "", False, 0
|
2022-05-10 20:23:12 +00:00
|
|
|
self.logger.info("Stopped listening for alerts")
|
|
|
|
|
2022-05-14 09:43:02 +00:00
|
|
|
def reconnect(self, exception: Exception) -> None:
|
2022-05-10 21:57:06 +00:00
|
|
|
self.logger.error("Connection to Plex lost: %s", exception)
|
|
|
|
self.disconnect()
|
|
|
|
self.logger.error("Reconnecting")
|
2022-05-12 07:14:23 +00:00
|
|
|
self.run()
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2022-05-14 09:43:02 +00:00
|
|
|
def disconnectRpc(self) -> None:
|
2022-05-12 08:56:08 +00:00
|
|
|
self.lastState, self.lastSessionKey, self.lastRatingKey = "", 0, 0
|
2023-11-05 10:24:36 +00:00
|
|
|
if self.discordIpcService.connected:
|
|
|
|
self.discordIpcService.disconnect()
|
2022-05-10 21:57:06 +00:00
|
|
|
if self.updateTimeoutTimer:
|
2022-05-10 20:23:12 +00:00
|
|
|
self.updateTimeoutTimer.cancel()
|
2024-02-13 07:58:36 +00:00
|
|
|
self.updateTimeoutTimer = None
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2022-05-14 09:43:02 +00:00
|
|
|
def updateTimeout(self) -> None:
|
2022-05-10 20:23:12 +00:00
|
|
|
self.logger.debug("No recent updates from session key %s", self.lastSessionKey)
|
2022-05-12 08:56:08 +00:00
|
|
|
self.disconnectRpc()
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2024-02-13 07:58:36 +00:00
|
|
|
def connectionCheck(self) -> None:
|
2022-05-10 20:23:12 +00:00
|
|
|
try:
|
2024-02-13 08:52:27 +00:00
|
|
|
self.logger.debug("Running periodic connection check")
|
2022-05-14 09:43:02 +00:00
|
|
|
assert self.server
|
2024-02-13 08:52:27 +00:00
|
|
|
self.server.clients()
|
2022-05-10 20:23:12 +00:00
|
|
|
except Exception as e:
|
2022-05-10 21:57:06 +00:00
|
|
|
self.reconnect(e)
|
2022-05-10 20:23:12 +00:00
|
|
|
else:
|
2024-02-13 07:58:36 +00:00
|
|
|
self.connectionCheckTimer = threading.Timer(self.connectionCheckTimerInterval, self.connectionCheck)
|
|
|
|
self.connectionCheckTimer.start()
|
2022-05-10 20:23:12 +00:00
|
|
|
|
2024-02-10 22:37:37 +00:00
|
|
|
def tryHandleAlert(self, alert: models.plex.Alert) -> None:
|
|
|
|
try:
|
|
|
|
self.handleAlert(alert)
|
|
|
|
except:
|
|
|
|
self.logger.exception("An unexpected error occured in the Plex alert handler")
|
2024-02-13 07:58:36 +00:00
|
|
|
self.disconnectRpc()
|
2024-02-10 22:37:37 +00:00
|
|
|
|
2023-11-04 19:39:30 +00:00
|
|
|
def handleAlert(self, alert: models.plex.Alert) -> None:
|
2024-02-10 22:37:37 +00:00
|
|
|
if alert["type"] != "playing" or "PlaySessionStateNotification" not in alert:
|
|
|
|
return
|
|
|
|
stateNotification = alert["PlaySessionStateNotification"][0]
|
|
|
|
self.logger.debug("Received alert: %s", stateNotification)
|
|
|
|
ratingKey = int(stateNotification["ratingKey"])
|
|
|
|
assert self.server
|
2024-08-30 14:59:02 +00:00
|
|
|
item = self.server.fetchItem(ratingKey)
|
2024-02-12 11:30:32 +00:00
|
|
|
if item.key and item.key.startswith("/livetv"):
|
|
|
|
mediaType = "live_episode"
|
|
|
|
else:
|
2024-08-30 14:59:02 +00:00
|
|
|
mediaType = item.type
|
2024-02-10 22:37:37 +00:00
|
|
|
if mediaType not in validMediaTypes:
|
|
|
|
self.logger.debug("Unsupported media type '%s', ignoring", mediaType)
|
|
|
|
return
|
|
|
|
state = stateNotification["state"]
|
|
|
|
sessionKey = int(stateNotification["sessionKey"])
|
|
|
|
viewOffset = int(stateNotification["viewOffset"])
|
2022-05-10 20:23:12 +00:00
|
|
|
try:
|
2024-08-30 14:59:02 +00:00
|
|
|
libraryName = item.section().title
|
2024-02-10 22:37:37 +00:00
|
|
|
except:
|
|
|
|
libraryName = "ERROR"
|
|
|
|
if "blacklistedLibraries" in self.serverConfig and libraryName in self.serverConfig["blacklistedLibraries"]:
|
|
|
|
self.logger.debug("Library '%s' is blacklisted, ignoring", libraryName)
|
|
|
|
return
|
|
|
|
if "whitelistedLibraries" in self.serverConfig and libraryName not in self.serverConfig["whitelistedLibraries"]:
|
|
|
|
self.logger.debug("Library '%s' is not whitelisted, ignoring", libraryName)
|
|
|
|
return
|
|
|
|
if self.lastSessionKey == sessionKey and self.lastRatingKey == ratingKey:
|
|
|
|
if self.updateTimeoutTimer:
|
|
|
|
self.updateTimeoutTimer.cancel()
|
|
|
|
self.updateTimeoutTimer = None
|
|
|
|
if self.lastState == state and self.ignoreCount < self.maximumIgnores:
|
|
|
|
self.logger.debug("Nothing changed, ignoring")
|
|
|
|
self.ignoreCount += 1
|
2022-05-10 20:23:12 +00:00
|
|
|
self.updateTimeoutTimer = threading.Timer(self.updateTimeoutTimerInterval, self.updateTimeout)
|
|
|
|
self.updateTimeoutTimer.start()
|
2024-02-10 22:37:37 +00:00
|
|
|
return
|
|
|
|
else:
|
|
|
|
self.ignoreCount = 0
|
|
|
|
if state == "stopped":
|
|
|
|
self.disconnectRpc()
|
|
|
|
return
|
|
|
|
elif state == "stopped":
|
|
|
|
self.logger.debug("Received 'stopped' state alert from unknown session, ignoring")
|
|
|
|
return
|
|
|
|
if self.isServerOwner:
|
|
|
|
self.logger.debug("Searching sessions for session key %s", sessionKey)
|
2024-08-30 14:59:02 +00:00
|
|
|
sessions = self.server.sessions()
|
2024-02-10 22:37:37 +00:00
|
|
|
if len(sessions) < 1:
|
|
|
|
self.logger.debug("Empty session list, ignoring")
|
|
|
|
return
|
|
|
|
for session in sessions:
|
|
|
|
self.logger.debug("%s, Session Key: %s, Usernames: %s", session, session.sessionKey, session.usernames)
|
|
|
|
if session.sessionKey == sessionKey:
|
|
|
|
self.logger.debug("Session found")
|
2024-08-30 14:59:02 +00:00
|
|
|
sessionUsername = session.usernames[0]
|
2024-02-10 22:37:37 +00:00
|
|
|
if sessionUsername.lower() == self.listenForUser.lower():
|
|
|
|
self.logger.debug("Username '%s' matches '%s', continuing", sessionUsername, self.listenForUser)
|
|
|
|
break
|
|
|
|
self.logger.debug("Username '%s' doesn't match '%s', ignoring", sessionUsername, self.listenForUser)
|
|
|
|
return
|
|
|
|
else:
|
|
|
|
self.logger.debug("No matching session found, ignoring")
|
|
|
|
return
|
|
|
|
if self.updateTimeoutTimer:
|
|
|
|
self.updateTimeoutTimer.cancel()
|
|
|
|
self.updateTimeoutTimer = threading.Timer(self.updateTimeoutTimerInterval, self.updateTimeout)
|
|
|
|
self.updateTimeoutTimer.start()
|
|
|
|
self.lastState, self.lastSessionKey, self.lastRatingKey = state, sessionKey, ratingKey
|
2024-02-12 11:30:32 +00:00
|
|
|
stateStrings: list[str] = []
|
2024-02-13 07:58:36 +00:00
|
|
|
if not config["display"]["hideTotalTime"] and item.duration and mediaType != "track":
|
2024-02-12 11:30:32 +00:00
|
|
|
stateStrings.append(formatSeconds(item.duration / 1000))
|
|
|
|
if mediaType == "movie":
|
2024-02-13 08:52:27 +00:00
|
|
|
title = shortTitle = item.title
|
2024-02-13 07:58:36 +00:00
|
|
|
if item.year:
|
|
|
|
title += f" ({item.year})"
|
|
|
|
if item.genres:
|
|
|
|
genres: list[Genre] = item.genres[:3]
|
|
|
|
stateStrings.append(f"{', '.join(genre.tag for genre in genres)}")
|
2024-02-12 11:30:32 +00:00
|
|
|
largeText = "Watching a movie"
|
|
|
|
thumb = item.thumb
|
|
|
|
elif mediaType == "episode":
|
2024-02-13 08:52:27 +00:00
|
|
|
title = shortTitle = item.grandparentTitle
|
|
|
|
grandparent = self.server.fetchItem(item.grandparentRatingKey)
|
|
|
|
if grandparent.year:
|
|
|
|
title += f" ({grandparent.year})"
|
2024-02-12 11:30:32 +00:00
|
|
|
stateStrings.append(f"S{item.parentIndex:02}E{item.index:02}")
|
|
|
|
stateStrings.append(item.title)
|
|
|
|
largeText = "Watching a TV show"
|
|
|
|
thumb = item.grandparentThumb
|
2024-02-13 09:03:47 +00:00
|
|
|
elif mediaType == "live_episode":
|
2024-02-13 08:52:27 +00:00
|
|
|
title = shortTitle = item.grandparentTitle
|
2024-02-12 11:30:32 +00:00
|
|
|
if item.title != item.grandparentTitle:
|
2024-02-10 22:37:37 +00:00
|
|
|
stateStrings.append(item.title)
|
2024-02-12 11:30:32 +00:00
|
|
|
largeText = "Watching live TV"
|
|
|
|
thumb = item.grandparentThumb
|
|
|
|
elif mediaType == "track":
|
2024-02-13 08:52:27 +00:00
|
|
|
title = shortTitle = item.title
|
2024-02-13 07:58:36 +00:00
|
|
|
artistAlbum = f"{item.originalTitle or item.grandparentTitle} - {item.parentTitle}"
|
|
|
|
parent = self.server.fetchItem(item.parentRatingKey)
|
|
|
|
if parent.year:
|
|
|
|
artistAlbum += f" ({parent.year})"
|
|
|
|
stateStrings.append(artistAlbum)
|
2024-02-10 22:37:37 +00:00
|
|
|
largeText = "Listening to music"
|
|
|
|
thumb = item.thumb
|
2024-02-12 11:30:32 +00:00
|
|
|
else:
|
2024-02-13 08:52:27 +00:00
|
|
|
title = shortTitle = item.title
|
2024-02-12 11:30:32 +00:00
|
|
|
largeText = "Watching a video"
|
|
|
|
thumb = item.thumb
|
|
|
|
if state != "playing" and mediaType != "track":
|
|
|
|
if config["display"]["useRemainingTime"]:
|
|
|
|
stateStrings.append(f"{formatSeconds((item.duration - viewOffset) / 1000, ':')} left")
|
|
|
|
else:
|
|
|
|
stateStrings.append(f"{formatSeconds(viewOffset / 1000, ':')} elapsed")
|
|
|
|
stateText = " · ".join(stateString for stateString in stateStrings if stateString)
|
2024-02-10 22:37:37 +00:00
|
|
|
thumbUrl = ""
|
|
|
|
if thumb and config["display"]["posters"]["enabled"]:
|
|
|
|
thumbUrl = getCacheKey(thumb)
|
|
|
|
if not thumbUrl or not isinstance(thumbUrl, str):
|
|
|
|
self.logger.debug("Uploading poster to Imgur")
|
2024-08-30 14:59:02 +00:00
|
|
|
thumbUrl = uploadToImgur(self.server.url(thumb, True))
|
2024-02-10 22:37:37 +00:00
|
|
|
setCacheKey(thumb, thumbUrl)
|
|
|
|
activity: models.discord.Activity = {
|
2024-02-13 08:52:27 +00:00
|
|
|
"details": truncate(title, 128),
|
2024-02-10 22:37:37 +00:00
|
|
|
"assets": {
|
|
|
|
"large_text": largeText,
|
|
|
|
"large_image": thumbUrl or "logo",
|
|
|
|
"small_text": state.capitalize(),
|
|
|
|
"small_image": state,
|
|
|
|
},
|
|
|
|
}
|
|
|
|
if stateText:
|
2024-02-13 08:52:27 +00:00
|
|
|
activity["state"] = truncate(stateText, 128)
|
2024-02-10 22:37:37 +00:00
|
|
|
if config["display"]["buttons"]:
|
|
|
|
guidsRaw: list[Guid] = []
|
|
|
|
if mediaType in ["movie", "track"]:
|
|
|
|
guidsRaw = item.guids
|
|
|
|
elif mediaType == "episode":
|
|
|
|
guidsRaw = self.server.fetchItem(item.grandparentRatingKey).guids
|
|
|
|
guids: dict[str, str] = { guidSplit[0]: guidSplit[1] for guidSplit in [guid.id.split("://") for guid in guidsRaw] if len(guidSplit) > 1 }
|
|
|
|
buttons: list[models.discord.ActivityButton] = []
|
|
|
|
for button in config["display"]["buttons"]:
|
|
|
|
if "mediaTypes" in button and mediaType not in button["mediaTypes"]:
|
|
|
|
continue
|
2024-02-13 08:52:27 +00:00
|
|
|
label = truncate(button["label"].format(title = shortTitle), 32)
|
2024-02-10 22:37:37 +00:00
|
|
|
if not button["url"].startswith("dynamic:"):
|
2024-02-13 08:52:27 +00:00
|
|
|
buttons.append({ "label": label, "url": button["url"] })
|
2024-02-10 22:37:37 +00:00
|
|
|
continue
|
|
|
|
buttonType = button["url"][8:]
|
|
|
|
guidType = buttonTypeGuidTypeMap.get(buttonType)
|
|
|
|
if not guidType:
|
|
|
|
continue
|
|
|
|
guid = guids.get(guidType)
|
|
|
|
if not guid:
|
|
|
|
continue
|
|
|
|
url = ""
|
|
|
|
if buttonType == "imdb":
|
|
|
|
url = f"https://www.imdb.com/title/{guid}"
|
|
|
|
elif buttonType == "tmdb":
|
|
|
|
tmdbPathSegment = "movie" if mediaType == "movie" else "tv"
|
|
|
|
url = f"https://www.themoviedb.org/{tmdbPathSegment}/{guid}"
|
|
|
|
elif buttonType == "thetvdb":
|
|
|
|
theTvdbPathSegment = "movie" if mediaType == "movie" else "series"
|
|
|
|
url = f"https://www.thetvdb.com/dereferrer/{theTvdbPathSegment}/{guid}"
|
|
|
|
elif buttonType == "trakt":
|
|
|
|
idType = "movie" if mediaType == "movie" else "show"
|
|
|
|
url = f"https://trakt.tv/search/tmdb/{guid}?id_type={idType}"
|
|
|
|
elif buttonType == "letterboxd" and mediaType == "movie":
|
|
|
|
url = f"https://letterboxd.com/tmdb/{guid}"
|
|
|
|
elif buttonType == "musicbrainz":
|
|
|
|
url = f"https://musicbrainz.org/track/{guid}"
|
|
|
|
if url:
|
2024-02-13 08:52:27 +00:00
|
|
|
buttons.append({ "label": label, "url": url })
|
2024-02-10 22:37:37 +00:00
|
|
|
if buttons:
|
|
|
|
activity["buttons"] = buttons[:2]
|
|
|
|
if state == "playing":
|
|
|
|
currentTimestamp = int(time.time())
|
|
|
|
if config["display"]["useRemainingTime"]:
|
2024-08-30 14:59:02 +00:00
|
|
|
activity["timestamps"] = { "end": round(currentTimestamp + ((item.duration - viewOffset) / 1000)) }
|
2024-02-10 22:37:37 +00:00
|
|
|
else:
|
2024-08-30 14:59:02 +00:00
|
|
|
activity["timestamps"] = { "start": round(currentTimestamp - (viewOffset / 1000)) }
|
2024-02-10 22:37:37 +00:00
|
|
|
if not self.discordIpcService.connected:
|
|
|
|
self.discordIpcService.connect()
|
|
|
|
if self.discordIpcService.connected:
|
|
|
|
self.discordIpcService.setActivity(activity)
|