You've already forked RadioPlayer
mirror of
https://github.com/radio95-rnt/RadioPlayer.git
synced 2026-02-26 13:52:00 +01:00
153 lines
6.8 KiB
Python
153 lines
6.8 KiB
Python
import multiprocessing
|
|
import json
|
|
import threading, uuid, time
|
|
from functools import partial
|
|
from http.server import BaseHTTPRequestHandler, HTTPServer
|
|
from socketserver import ThreadingMixIn
|
|
from . import Track, PlayerModule, Path
|
|
|
|
MAIN_PATH_DIR = Path("/home/user/mixes")
|
|
|
|
class ThreadingHTTPServer(ThreadingMixIn, HTTPServer):
|
|
"""Handle requests in a separate thread."""
|
|
|
|
class APIHandler(BaseHTTPRequestHandler):
|
|
def __init__(self, data, imc_q, *args, **kwargs):
|
|
self.data = data
|
|
self.imc_q = imc_q
|
|
super().__init__(*args, **kwargs)
|
|
|
|
def do_GET(self):
|
|
code = 200
|
|
|
|
if self.path == "/api/playlist": rdata = json.loads(self.data.get("playlist", "[]"))
|
|
elif self.path == "/api/track": rdata = json.loads(self.data.get("track", "{}"))
|
|
elif self.path == "/api/progress": rdata = json.loads(self.data.get("progress", "{}"))
|
|
elif self.path == "/api/put":
|
|
id = str(uuid.uuid4())
|
|
self.imc_q.put({"name": "activemod", "data": {"action": "get_toplay"}, "key": id})
|
|
start_time = time.monotonic()
|
|
response_json = None
|
|
while time.monotonic() - start_time < 2:
|
|
if id in self.data:
|
|
response_json = self.data.pop(id)
|
|
break
|
|
time.sleep(0.05)
|
|
if response_json:
|
|
try:
|
|
rdata = response_json
|
|
if "error" in repr(rdata): code = 500
|
|
except TypeError:
|
|
rdata = {"error": "Invalid data format from module"}
|
|
code = 500
|
|
else:
|
|
rdata = {"error": "Request to active module timed out"}
|
|
code = 504 # Gateway Timeout
|
|
elif self.path == "/api/dirs":
|
|
rdata = {"base": str(MAIN_PATH_DIR), "files": [i.name for i in list(MAIN_PATH_DIR.iterdir())]}
|
|
elif self.path.startswith("/api/dir/"):
|
|
rdata = [i.name for i in (MAIN_PATH_DIR / self.path.removeprefix("/api/dir/").removesuffix("/")).iterdir() if i.is_file()]
|
|
else: rdata = {"error": "not found"}
|
|
|
|
self.send_response(code)
|
|
self.send_header("Content-Type", "application/json")
|
|
self.end_headers()
|
|
self.wfile.write(json.dumps(rdata).encode('utf-8'))
|
|
|
|
def do_POST(self):
|
|
response = {"error": "not found"}
|
|
code = 404
|
|
|
|
if self.path == "/api/skip":
|
|
self.imc_q.put({"name": "procman", "data": {"op": 2}})
|
|
response = {"status": "ok", "action": "skip requested"}
|
|
code = 200
|
|
elif self.path == "/api/put":
|
|
try:
|
|
body = json.loads(self.rfile.read(int(self.headers['Content-Length'])))
|
|
|
|
songs = body.get("songs")
|
|
if songs is None or not isinstance(songs, list): raise ValueError("Request body must be a JSON object with a 'songs' key containing a list of strings.")
|
|
|
|
self.imc_q.put({"name": "activemod", "data": {"action": "add_to_toplay", "songs": songs}})
|
|
|
|
response = {"status": "ok", "message": f"{len(songs)} song(s) were added to the high-priority queue."}
|
|
code = 200
|
|
except json.JSONDecodeError:
|
|
response = {"error": "Invalid JSON in request body."}
|
|
code = 400
|
|
except (ValueError, KeyError, TypeError) as e:
|
|
response = {"error": f"Invalid request format: {e}"}
|
|
code = 400
|
|
except Exception as e:
|
|
response = {"error": f"An unexpected server error occurred: {e}"}
|
|
code = 500
|
|
|
|
self.send_response(code)
|
|
self.send_header("Content-Type", "application/json")
|
|
self.end_headers()
|
|
self.wfile.write(json.dumps(response).encode('utf-8'))
|
|
def send_response(self, code, message=None):
|
|
self.send_response_only(code, message)
|
|
self.send_header('Server', self.version_string())
|
|
self.send_header('Date', self.date_time_string())
|
|
|
|
def web_server_process(data, imc_q):
|
|
try: ThreadingHTTPServer(("0.0.0.0", 3001), partial(APIHandler, data, imc_q)).serve_forever()
|
|
except KeyboardInterrupt: pass
|
|
|
|
class Module(PlayerModule):
|
|
def __init__(self):
|
|
self.manager = multiprocessing.Manager()
|
|
self.data = self.manager.dict()
|
|
self.imc_q = self.manager.Queue()
|
|
|
|
self.data["playlist"] = "[]"
|
|
self.data["track"] = "{}"
|
|
self.data["progress"] = "{}"
|
|
|
|
self.ipc_thread_running = True
|
|
self.ipc_thread = threading.Thread(target=self._ipc_worker, daemon=True)
|
|
self.ipc_thread.start()
|
|
|
|
self.web_process = multiprocessing.Process(target=web_server_process, args=(self.data, self.imc_q))
|
|
self.web_process.start()
|
|
|
|
def _ipc_worker(self):
|
|
while self.ipc_thread_running:
|
|
try:
|
|
message: dict | None = self.imc_q.get()
|
|
if message is None: break
|
|
out = self._imc.send(self, message["name"], message["data"])
|
|
if key := message.get("key", None): self.data[key] = out
|
|
except Exception: pass
|
|
|
|
def on_new_playlist(self, playlist: list[Track]) -> None:
|
|
api_data = []
|
|
for track in playlist:
|
|
api_data.append({"path": str(track.path), "fade_out": track.fade_out, "fade_in": track.fade_in, "official": track.official, "args": track.args, "offset": track.offset})
|
|
self.data["playlist"] = json.dumps(api_data)
|
|
|
|
def on_new_track(self, index: int, track: Track, next_track: Track | None) -> None:
|
|
track_data = {"path": str(track.path), "fade_out": track.fade_out, "fade_in": track.fade_in, "official": track.official, "args": track.args, "offset": track.offset}
|
|
if next_track:
|
|
next_track_data = {"path": str(next_track.path), "fade_out": next_track.fade_out, "fade_in": next_track.fade_in, "official": next_track.official, "args": next_track.args, "offset": next_track.offset}
|
|
else: next_track_data = None
|
|
self.data["track"] = json.dumps({"index": index, "track": track_data, "next_track": next_track_data})
|
|
|
|
def progress(self, index: int, track: Track, elapsed: float, total: float, real_total: float) -> None:
|
|
track_data = {"path": str(track.path), "fade_out": track.fade_out, "fade_in": track.fade_in, "official": track.official, "args": track.args, "offset": track.offset}
|
|
self.data["progress"] = json.dumps({"index": index, "track": track_data, "elapsed": elapsed, "total": total, "real_total": real_total})
|
|
|
|
def shutdown(self):
|
|
self.ipc_thread_running = False
|
|
self.imc_q.put(None)
|
|
self.ipc_thread.join(timeout=2)
|
|
|
|
if self.web_process.is_alive():
|
|
self.web_process.terminate()
|
|
self.web_process.join(timeout=2)
|
|
|
|
if self.web_process.is_alive(): self.web_process.kill()
|
|
|
|
module = Module() |