BAPSicle/server.py

628 lines
16 KiB
Python
Raw Normal View History

2020-11-01 02:35:14 +00:00
"""
BAPSicle Server
Next-gen audio playout server for University Radio York playout,
based on WebStudio interface.
Flask Server
Authors:
Matthew Stratford
Michael Grace
Date:
October, November 2020
"""
2021-03-21 13:05:33 +00:00
from api_handler import APIHandler
2021-02-14 23:58:32 +00:00
from controllers.mattchbox_usb import MattchBox
2020-10-23 20:10:32 +00:00
import multiprocessing
import queue
#import threading
import time
2020-10-24 13:44:26 +00:00
import player
from flask import Flask, render_template, send_from_directory, request, jsonify, abort
from flask_cors import CORS
2020-12-19 14:57:37 +00:00
from typing import Any, Optional
2020-10-23 20:10:32 +00:00
import json
from setproctitle import setproctitle
2020-11-01 00:31:58 +00:00
import logging
from player_handler import PlayerHandler
from helpers.os_environment import isMacOS
2020-11-03 21:24:45 +00:00
from helpers.device_manager import DeviceManager
2020-10-25 01:23:24 +00:00
if not isMacOS():
# Rip, this doesn't like threading on MacOS.
import pyttsx3
2020-11-03 23:25:17 +00:00
import config
from typing import Dict, List
2020-11-09 00:10:36 +00:00
from helpers.state_manager import StateManager
from helpers.logging_manager import LoggingManager
from websocket_server import WebsocketServer
2020-11-03 23:25:17 +00:00
setproctitle("BAPSicleServer.py")
2020-11-09 00:10:36 +00:00
2021-03-21 13:05:33 +00:00
logger: LoggingManager
state: StateManager
2020-10-24 20:31:52 +00:00
class BAPSicleServer():
2020-10-24 20:31:52 +00:00
def __init__(self):
process_title = "BAPSicleServer"
setproctitle(process_title)
#multiprocessing.current_process().name = process_title
global logger
global state
logger = LoggingManager("BAPSicleServer")
state = StateManager("BAPSicleServer", logger, default_state)
state.update("server_version", config.VERSION)
startServer()
#asyncio.get_event_loop().run_until_complete(startServer())
#asyncio.get_event_loop().run_forever()
2020-10-24 20:31:52 +00:00
def __del__(self):
stopServer()
default_state = {
"server_version": 0,
"server_name": "URY BAPSicle",
"host": "localhost",
"port": 13500,
"ws_port": 13501,
"num_channels": 3
}
2020-10-24 20:31:52 +00:00
2020-11-09 00:10:36 +00:00
2020-10-24 02:13:02 +00:00
app = Flask(__name__, static_url_path='')
CORS(app, supports_credentials=True) # Allow ALL CORS!!!
2020-10-23 20:10:32 +00:00
2020-11-01 00:31:58 +00:00
log = logging.getLogger('werkzeug')
log.disabled = True
2021-03-21 13:05:33 +00:00
2020-11-01 00:31:58 +00:00
app.logger.disabled = True
2021-03-21 13:05:33 +00:00
api_from_q: queue.Queue
api_to_q: queue.Queue
channel_to_q: List[queue.Queue] = []
channel_from_q: List[queue.Queue] = []
ui_to_q: List[queue.Queue] = []
websocket_to_q: List[queue.Queue] = []
controller_to_q: List[queue.Queue] = []
2020-10-23 20:10:32 +00:00
channel_p: List[multiprocessing.Process] = []
websockets_server: multiprocessing.Process
controller_handler: multiprocessing.Process
webserver: multiprocessing.Process
2020-11-09 00:10:36 +00:00
# General Endpoints
2020-10-23 20:10:32 +00:00
2020-10-24 12:47:48 +00:00
@app.errorhandler(404)
2020-12-19 14:57:37 +00:00
def page_not_found(e: Any):
2020-10-24 12:47:48 +00:00
data = {
'ui_page': "404",
"ui_title": "404"
2020-10-24 12:47:48 +00:00
}
return render_template('404.html', data=data), 404
2020-10-23 20:10:32 +00:00
@app.route("/")
2020-10-24 02:13:02 +00:00
def ui_index():
data = {
'ui_page': "index",
2020-11-10 18:49:26 +00:00
"ui_title": "",
"server_version": config.VERSION,
"server_name": state.state["server_name"]
2020-10-24 02:13:02 +00:00
}
return render_template('index.html', data=data)
@app.route("/config")
def ui_config():
2020-10-23 21:58:53 +00:00
channel_states = []
2020-11-10 19:40:42 +00:00
for i in range(state.state["num_channels"]):
channel_states.append(status(i))
2020-10-23 21:58:53 +00:00
2021-04-04 22:14:30 +00:00
outputs = DeviceManager.getAudioOutputs()
data = {
'channels': channel_states,
'outputs': outputs,
'ui_page': "config",
"ui_title": "Config"
}
return render_template('config.html', data=data)
2020-10-23 21:58:53 +00:00
@app.route("/status")
def ui_status():
channel_states = []
2020-11-09 00:17:48 +00:00
for i in range(state.state["num_channels"]):
channel_states.append(status(i))
2020-10-23 21:58:53 +00:00
data = {
'channels': channel_states,
'ui_page': "status",
"ui_title": "Status"
2020-10-23 21:58:53 +00:00
}
2020-10-24 02:13:02 +00:00
return render_template('status.html', data=data)
2020-10-23 20:10:32 +00:00
2020-11-09 00:17:48 +00:00
@app.route("/status-json")
def json_status():
channel_states = []
for i in range(state.state["num_channels"]):
channel_states.append(status(i))
return {
"server": state.state,
"channels": channel_states
}
2020-11-10 19:40:42 +00:00
@app.route("/server")
def server_config():
data = {
"ui_page": "server",
"ui_title": "Server Config",
"state": state.state
}
return render_template("server.html", data=data)
@app.route("/restart", methods=["POST"])
async def restart_server():
2020-11-10 19:40:42 +00:00
state.update("server_name", request.form["name"])
state.update("host", request.form["host"])
state.update("port", int(request.form["port"]))
state.update("num_channels", int(request.form["channels"]))
2020-11-15 17:48:05 +00:00
state.update("ws_port", int(request.form["ws_port"]))
2020-11-10 19:40:42 +00:00
stopServer(restart=True)
await startServer()
2020-11-10 19:40:42 +00:00
# Get audio for UI to generate waveforms.
@app.route("/audiofile/<type>/<int:id>")
#@cross_origin()
def audio_file(type: str, id: int):
if type not in ["managed", "track"]:
abort(404)
return send_from_directory('music-tmp', type + "-" + str(id) + ".mp3")
2020-11-09 00:10:36 +00:00
# Channel Audio Options
2020-10-23 20:10:32 +00:00
@app.route("/player/<int:channel>/play")
2020-12-19 14:57:37 +00:00
def play(channel: int):
2020-10-23 20:10:32 +00:00
channel_to_q[channel].put("UI:PLAY")
2020-10-23 20:10:32 +00:00
return ui_status()
2020-10-23 20:10:32 +00:00
@app.route("/player/<int:channel>/pause")
2020-12-19 14:57:37 +00:00
def pause(channel: int):
2020-10-23 20:10:32 +00:00
channel_to_q[channel].put("UI:PAUSE")
2020-10-23 20:10:32 +00:00
return ui_status()
2020-10-23 20:10:32 +00:00
@app.route("/player/<int:channel>/unpause")
2020-12-19 14:57:37 +00:00
def unPause(channel: int):
2020-10-23 20:10:32 +00:00
channel_to_q[channel].put("UI:UNPAUSE")
2020-10-23 20:10:32 +00:00
return ui_status()
2020-10-23 20:10:32 +00:00
@app.route("/player/<int:channel>/stop")
2020-12-19 14:57:37 +00:00
def stop(channel: int):
2020-10-23 20:10:32 +00:00
channel_to_q[channel].put("UI:STOP")
2020-10-23 20:10:32 +00:00
return ui_status()
2020-10-23 20:10:32 +00:00
2020-12-19 14:57:37 +00:00
@app.route("/player/<int:channel>/seek/<float:pos>")
def seek(channel: int, pos: float):
2020-10-23 20:10:32 +00:00
channel_to_q[channel].put("UI:SEEK:" + str(pos))
return ui_status()
2020-10-23 20:10:32 +00:00
2020-10-23 21:58:53 +00:00
@app.route("/player/<int:channel>/output/<name>")
2020-12-19 14:57:37 +00:00
def output(channel: int, name: Optional[str]):
channel_to_q[channel].put("UI:OUTPUT:" + str(name))
return ui_config()
2020-10-23 21:58:53 +00:00
2020-11-09 00:10:36 +00:00
@app.route("/player/<int:channel>/autoadvance/<int:state>")
def autoadvance(channel: int, state: int):
channel_to_q[channel].put("UI:AUTOADVANCE:" + str(state))
return ui_status()
2020-11-09 00:10:36 +00:00
@app.route("/player/<int:channel>/repeat/<state>")
2020-12-19 14:57:37 +00:00
def repeat(channel: int, state: str):
channel_to_q[channel].put("UI:REPEAT:" + state.upper())
return ui_status()
2020-11-09 00:10:36 +00:00
@app.route("/player/<int:channel>/playonload/<int:state>")
2020-11-04 00:09:42 +00:00
def playonload(channel: int, state: int):
channel_to_q[channel].put("UI:PLAYONLOAD:" + str(state))
return ui_status()
2020-11-09 00:10:36 +00:00
# Channel Items
2020-11-02 23:06:45 +00:00
2020-11-15 19:34:13 +00:00
@app.route("/player/<int:channel>/load/<int:channel_weight>")
def load(channel: int, channel_weight: int):
channel_to_q[channel].put("UI:LOAD:" + str(channel_weight))
2020-11-01 02:35:14 +00:00
return ui_status()
2020-10-23 20:10:32 +00:00
2020-11-09 00:10:36 +00:00
@app.route("/player/<int:channel>/unload")
2020-12-19 14:57:37 +00:00
def unload(channel: int):
2020-10-23 20:10:32 +00:00
channel_to_q[channel].put("UI:UNLOAD")
return ui_status()
2020-11-09 00:10:36 +00:00
2020-11-01 02:35:14 +00:00
@app.route("/player/<int:channel>/add", methods=["POST"])
def add_to_plan(channel: int):
new_item: Dict[str, Any] = {
2020-11-15 19:34:13 +00:00
"channel_weight": int(request.form["channel_weight"]),
2020-11-01 02:35:14 +00:00
"filename": request.form["filename"],
"title": request.form["title"],
"artist": request.form["artist"],
}
channel_to_q[channel].put("UI:ADD:" + json.dumps(new_item))
2020-11-01 02:35:14 +00:00
return new_item
#@app.route("/player/<int:channel>/remove/<int:channel_weight>")
2020-11-15 19:34:13 +00:00
def remove_plan(channel: int, channel_weight: int):
channel_to_q[channel].put("UI:REMOVE:" + str(channel_weight))
2020-11-01 02:35:14 +00:00
2020-11-09 00:10:36 +00:00
# TODO Return
2020-11-01 02:35:14 +00:00
return True
2020-11-09 00:10:36 +00:00
#@app.route("/player/<int:channel>/clear")
2020-11-02 23:06:45 +00:00
def clear_channel_plan(channel: int):
channel_to_q[channel].put("UI:CLEAR")
2020-11-02 23:06:45 +00:00
2020-11-09 00:10:36 +00:00
# TODO Return
2020-11-02 23:06:45 +00:00
return True
2020-11-09 00:10:36 +00:00
# General Channel Endpoints
@app.route("/player/<int:channel>/status")
2020-12-08 19:41:31 +00:00
def channel_json(channel: int):
try:
return jsonify(status(channel))
except:
return status(channel)
2021-03-21 13:05:33 +00:00
@app.route("/plan/list")
def list_showplans():
while (not api_from_q.empty()):
api_from_q.get() # Just waste any previous status responses.
api_to_q.put("LIST_PLANS")
while True:
try:
response = api_from_q.get_nowait()
if response.startswith("LIST_PLANS:"):
response = response[response.index(":")+1:]
#try:
# response = json.loads(response)
#except Exception as e:
# raise e
return response
except queue.Empty:
pass
2021-04-04 22:14:08 +00:00
time.sleep(0.02)
2021-03-21 13:05:33 +00:00
@app.route("/library/search/<type>")
def search_library(type: str):
if type not in ["managed", "track"]:
abort(404)
while (not api_from_q.empty()):
api_from_q.get() # Just waste any previous status responses.
params = json.dumps({
"title": request.args.get('title'),
"artist": request.args.get('artist')
})
api_to_q.put("SEARCH_TRACK:{}".format(params))
while True:
try:
response = api_from_q.get_nowait()
if response.startswith("SEARCH_TRACK:"):
response = response.split(":", 1)[1]
2021-03-21 13:05:33 +00:00
return response
except queue.Empty:
pass
2021-04-04 22:14:08 +00:00
time.sleep(0.02)
2021-03-21 13:05:33 +00:00
2021-04-04 14:26:39 +00:00
@app.route("/library/playlists/<type>")
def get_playlists(type: str):
if type not in ["music", "aux"]:
abort(401)
while (not api_from_q.empty()):
api_from_q.get() # Just waste any previous status responses.
command = "LIST_PLAYLIST_{}".format(type.upper())
api_to_q.put(command)
while True:
try:
response = api_from_q.get_nowait()
if response.startswith(command):
response = response.split(":", 1)[1]
return response
except queue.Empty:
pass
2021-04-04 22:14:08 +00:00
time.sleep(0.02)
2021-04-04 14:26:39 +00:00
@app.route("/library/playlist/<type>/<library_id>")
def get_playlist(type: str, library_id: str):
if type not in ["music", "aux"]:
abort(401)
while (not api_from_q.empty()):
api_from_q.get() # Just waste any previous status responses.
command = "GET_PLAYLIST_{}:{}".format(type.upper(), library_id)
api_to_q.put(command)
while True:
try:
response = api_from_q.get_nowait()
if response.startswith(command):
response = response[len(command)+1:]
if response == "null":
abort(401)
return response
except queue.Empty:
pass
2021-04-04 22:14:08 +00:00
time.sleep(0.02)
2021-04-04 14:26:39 +00:00
@app.route("/plan/load/<int:timeslotid>")
def load_showplan(timeslotid: int):
for channel in channel_to_q:
channel.put("UI:GET_PLAN:" + str(timeslotid))
return ui_status()
2020-12-19 14:57:37 +00:00
def status(channel: int):
while (not ui_to_q[channel].empty()):
ui_to_q[channel].get() # Just waste any previous status responses.
channel_to_q[channel].put("UI:STATUS")
retries = 0
while retries < 40:
try:
response = ui_to_q[channel].get_nowait()
if response.startswith("UI:STATUS:"):
response = response.split(":",2)[2]
# TODO: Handle OKAY / FAIL
response = response[response.index(":")+1:]
try:
response = json.loads(response)
except Exception as e:
raise e
return response
except queue.Empty:
pass
retries += 1
2021-04-04 22:14:08 +00:00
time.sleep(0.02)
2020-10-23 20:10:32 +00:00
2020-11-01 00:31:58 +00:00
@app.route("/quit")
def quit():
stopServer()
return "Shutting down..."
2020-10-23 20:10:32 +00:00
@app.route("/player/all/stop")
def all_stop():
for channel in channel_to_q:
channel.put("UI:STOP")
2020-11-02 23:06:45 +00:00
return ui_status()
@app.route("/player/all/clear")
def clear_all_channels():
for channel in channel_to_q:
channel.put("UI:CLEAR")
2020-11-02 23:06:45 +00:00
return ui_status()
2020-10-24 02:13:02 +00:00
2020-10-23 20:10:32 +00:00
2020-11-09 00:42:09 +00:00
@app.route("/logs")
def list_logs():
data = {
"ui_page": "loglist",
"ui_title": "Logs",
"logs": ["BAPSicleServer"] + ["channel{}".format(x) for x in range(state.state["num_channels"])]
}
return render_template("loglist.html", data=data)
@app.route("/logs/<path:path>")
def send_logs(path):
l = open("logs/{}.log".format(path))
data = {
"logs": l.read().splitlines(),
'ui_page': "log",
"ui_title": "Logs - {}".format(path)
}
l.close()
return render_template('log.html', data=data)
@app.route('/favicon.ico')
def serve_favicon():
return send_from_directory('ui-static', 'favicon.ico')
@app.route('/static/<path:path>')
def serve_static(path: str):
return send_from_directory('ui-static', path)
2020-11-09 00:42:09 +00:00
def startServer():
process_title="startServer"
#threading.current_thread().name = process_title
setproctitle(process_title)
if isMacOS():
multiprocessing.set_start_method("spawn", True)
2020-11-09 00:10:36 +00:00
for channel in range(state.state["num_channels"]):
channel_to_q.append(multiprocessing.Queue())
channel_from_q.append(multiprocessing.Queue())
ui_to_q.append(multiprocessing.Queue())
websocket_to_q.append(multiprocessing.Queue())
controller_to_q.append(multiprocessing.Queue())
channel_p.append(
multiprocessing.Process(
target=player.Player,
args=(channel, channel_to_q[-1], channel_from_q[-1])
#daemon=True
)
)
channel_p[channel].start()
global api_from_q, api_to_q, api_handler, player_handler, websockets_server, controller_handler
2021-03-21 13:05:33 +00:00
api_to_q = multiprocessing.Queue()
api_from_q = multiprocessing.Queue()
api_handler = multiprocessing.Process(target=APIHandler, args=(api_to_q, api_from_q))
api_handler.start()
player_handler = multiprocessing.Process(target=PlayerHandler, args=(channel_from_q, websocket_to_q, ui_to_q, controller_to_q))
player_handler.start()
websockets_server = multiprocessing.Process(target=WebsocketServer, args=(channel_to_q, websocket_to_q, state))
websockets_server.start()
2021-02-14 23:58:32 +00:00
controller_handler = multiprocessing.Process(target=MattchBox, args=(channel_to_q, controller_to_q))
2021-02-14 23:58:32 +00:00
controller_handler.start()
# TODO Move this to player or installer.
if False:
if not isMacOS():
# Temporary RIP.
# Welcome Speech
text_to_speach = pyttsx3.init()
text_to_speach.save_to_file(
"""Thank-you for installing BAPSicle - the play-out server from the broadcasting and presenting suite.
By default, this server is accepting connections on port 13500
The version of the server service is {}
Please refer to the documentation included with this application for further assistance.""".format(
config.VERSION
),
"dev/welcome.mp3"
)
text_to_speach.runAndWait()
2020-11-01 02:35:14 +00:00
new_item: Dict[str,Any] = {
"channel_weight": 0,
"filename": "dev/welcome.mp3",
"title": "Welcome to BAPSicle",
"artist": "University Radio York",
}
channel_to_q[0].put("ADD:" + json.dumps(new_item))
channel_to_q[0].put("LOAD:0")
channel_to_q[0].put("PLAY")
2020-11-01 02:35:14 +00:00
# Don't use reloader, it causes Nested Processes!
global webserver
webserver = multiprocessing.Process(
app.run(host=state.state["host"], port=state.state["port"], debug=True, use_reloader=False)
)
webserver.start()
2020-10-24 20:31:52 +00:00
2020-11-10 19:40:42 +00:00
def stopServer(restart=False):
global channel_p, channel_from_q, channel_to_q, websockets_server, webserver
print("Stopping Websockets")
websocket_to_q[0].put("WEBSOCKET:QUIT")
websockets_server.join()
del websockets_server
2020-10-24 20:31:52 +00:00
print("Stopping server.py")
for q in channel_to_q:
q.put("QUIT")
for player in channel_p:
2020-11-01 00:31:58 +00:00
try:
player.join()
except Exception as e:
print("*** Ignoring exception:",e)
2020-11-01 00:31:58 +00:00
pass
2020-11-10 19:40:42 +00:00
finally:
del player
del channel_from_q
del channel_to_q
print("Stopped all players.")
global webserver
webserver.terminate()
webserver.join()
return
## Caused an outside context error, presuably because called outside of a page request.
#shutdown = request.environ.get('werkzeug.server.shutdown')
#if shutdown is None:
# print("Shutting down Server.")
#else:
# print("Shutting down Flask.")
# if not restart:
# shutdown()
2020-10-24 20:31:52 +00:00
if __name__ == "__main__":
print("BAPSicle is a service. Please run it like one.")