openwebrx-clone/owrx/controllers.py

209 lines
7.9 KiB
Python
Raw Normal View History

2019-05-03 20:59:24 +00:00
import mimetypes
2019-05-04 14:56:23 +00:00
from owrx.websocket import WebSocketConnection
from owrx.config import PropertyManager
2019-05-09 20:44:29 +00:00
from owrx.source import SpectrumThread, DspManager, CpuUsageThread, SdrService
2019-05-04 18:26:11 +00:00
import json
2019-05-09 14:12:05 +00:00
import os
from datetime import datetime
2019-05-03 20:59:24 +00:00
class Controller(object):
def __init__(self, handler, matches):
self.handler = handler
self.matches = matches
2019-05-09 14:12:05 +00:00
def send_response(self, content, code = 200, content_type = "text/html", last_modified: datetime = None, max_age = None):
2019-05-03 20:59:24 +00:00
self.handler.send_response(code)
if content_type is not None:
self.handler.send_header("Content-Type", content_type)
2019-05-09 14:12:05 +00:00
if last_modified is not None:
self.handler.send_header("Last-Modified", last_modified.strftime("%a, %d %b %Y %H:%M:%S GMT"))
if max_age is not None:
self.handler.send_header("Cache-Control", "max-age: {0}".format(max_age))
2019-05-03 20:59:24 +00:00
self.handler.end_headers()
if (type(content) == str):
content = content.encode()
self.handler.wfile.write(content)
def render_template(self, template, **variables):
f = open('htdocs/' + template)
data = f.read()
f.close()
self.send_response(data)
class StatusController(Controller):
def handle_request(self):
self.send_response("you have reached the status page!")
class AssetsController(Controller):
2019-05-09 14:12:05 +00:00
def serve_file(self, file, content_type = None):
2019-05-04 14:56:23 +00:00
try:
2019-05-09 14:12:05 +00:00
modified = datetime.fromtimestamp(os.path.getmtime('htdocs/' + file))
if "If-Modified-Since" in self.handler.headers:
client_modified = datetime.strptime(self.handler.headers["If-Modified-Since"], "%a, %d %b %Y %H:%M:%S %Z")
if modified <= client_modified:
self.send_response("", code = 304)
return
2019-05-04 14:56:23 +00:00
f = open('htdocs/' + file, 'rb')
data = f.read()
f.close()
2019-05-09 14:12:05 +00:00
if content_type is None:
(content_type, encoding) = mimetypes.MimeTypes().guess_type(file)
self.send_response(data, content_type = content_type, last_modified = modified, max_age = 3600)
2019-05-04 14:56:23 +00:00
except FileNotFoundError:
self.send_response("file not found", code = 404)
2019-05-03 20:59:24 +00:00
def handle_request(self):
filename = self.matches.group(1)
2019-05-04 14:56:23 +00:00
self.serve_file(filename)
2019-05-09 14:12:05 +00:00
class IndexController(AssetsController):
def handle_request(self):
self.serve_file("index.wrx", "text/html")
class OpenWebRxClient(object):
2019-05-09 20:44:29 +00:00
config_keys = ["waterfall_colors", "waterfall_min_level", "waterfall_max_level",
"waterfall_auto_level_margin", "lfo_offset", "samp_rate", "fft_size", "fft_fps",
"audio_compression", "fft_compression", "max_clients", "start_mod",
"client_audio_buffer_size", "start_freq", "center_freq"]
2019-05-04 18:26:11 +00:00
def __init__(self, conn):
self.conn = conn
2019-05-09 20:44:29 +00:00
self.dsp = None
self.sdr = None
self.configProps = None
pm = PropertyManager.getSharedInstance()
self.setSdr()
# send receiver info
receiver_keys = ["receiver_name", "receiver_location", "receiver_qra", "receiver_asl", "receiver_gps",
"photo_title", "photo_desc"]
receiver_details = dict((key, pm.getPropertyValue(key)) for key in receiver_keys)
self.write_receiver_details(receiver_details)
CpuUsageThread.getSharedInstance().add_client(self)
def sendConfig(self, key, value):
config = dict((key, self.configProps[key]) for key in OpenWebRxClient.config_keys)
# TODO mathematical properties? hmmmm
config["start_offset_freq"] = self.configProps["start_freq"] - self.configProps["center_freq"]
self.write_config(config)
def setSdr(self, id = None):
self.stopDsp()
if self.configProps is not None:
self.configProps.unwire(self.sendConfig)
self.sdr = SdrService.getSource(id)
# send initial config
self.configProps = self.sdr.getProps().collect(*OpenWebRxClient.config_keys).defaults(PropertyManager.getSharedInstance())
self.configProps.wire(self.sendConfig)
self.sendConfig(None, None)
self.sdr.getSpectrumThread().add_client(self)
2019-05-09 20:44:29 +00:00
def startDsp(self):
if self.dsp is None:
self.dsp = DspManager(self, self.sdr)
self.dsp.start()
def stopDsp(self):
if self.dsp is not None:
self.dsp.stop()
self.dsp = None
if self.sdr is not None:
self.sdr.spectrumThread.remove_client(self)
# TODO: this should be disabled somehow, just not with the dsp
#CpuUsageThread.getSharedInstance().remove_client(self)
def setParams(self, params):
# only the keys in the protected property manager can be overridden from the web
protected = self.sdr.getProps().collect("samp_rate", "center_freq", "rf_gain", "type") \
.defaults(PropertyManager.getSharedInstance())
for key, value in params.items():
protected[key] = value
def setDspProperties(self, params):
for key, value in params.items():
self.dsp.setProperty(key, value)
2019-05-04 18:26:11 +00:00
def write_spectrum_data(self, data):
self.conn.send(bytes([0x01]) + data)
2019-05-04 21:11:13 +00:00
def write_dsp_data(self, data):
self.conn.send(bytes([0x02]) + data)
2019-05-05 14:17:55 +00:00
def write_s_meter_level(self, level):
self.conn.send({"type":"smeter","value":level})
2019-05-05 15:34:40 +00:00
def write_cpu_usage(self, usage):
self.conn.send({"type":"cpuusage","value":usage})
def write_secondary_fft(self, data):
self.conn.send(bytes([0x03]) + data)
def write_secondary_demod(self, data):
self.conn.send(bytes([0x04]) + data)
def write_secondary_dsp_config(self, cfg):
self.conn.send({"type":"secondary_config", "value":cfg})
def write_config(self, cfg):
self.conn.send({"type":"config","value":cfg})
def write_receiver_details(self, details):
self.conn.send({"type":"receiver_details","value":details})
2019-05-04 14:56:23 +00:00
2019-05-04 18:26:11 +00:00
class WebSocketMessageHandler(object):
def __init__(self):
2019-05-05 18:12:36 +00:00
self.handshake = None
self.client = None
self.dsp = None
2019-05-04 18:26:11 +00:00
def handleTextMessage(self, conn, message):
if (message[:16] == "SERVER DE CLIENT"):
2019-05-05 18:12:36 +00:00
# maybe put some more info in there? nothing to store yet.
self.handshake = "completed"
print("client connection intitialized")
2019-05-05 18:12:36 +00:00
self.client = OpenWebRxClient(conn)
2019-05-05 18:12:36 +00:00
return
if not self.handshake:
print("not answering client request since handshake is not complete")
return
try:
message = json.loads(message)
2019-05-09 20:44:29 +00:00
if "type" in message:
if message["type"] == "dspcontrol":
if "action" in message and message["action"] == "start":
self.client.startDsp()
if "params" in message:
params = message["params"]
self.client.setDspProperties(params)
if message["type"] == "config":
if "params" in message:
self.client.setParams(message["params"])
if message["type"] == "setsdr":
if "params" in message:
self.client.setSdr(message["params"]["sdr"])
else:
print("received message without type: {0}".format(message))
2019-05-05 18:12:36 +00:00
except json.JSONDecodeError:
print("message is not json: {0}".format(message))
2019-05-04 18:26:11 +00:00
def handleBinaryMessage(self, conn, data):
print("unsupported binary message, discarding")
def handleClose(self, conn):
if self.client:
2019-05-09 20:44:29 +00:00
self.client.stopDsp()
2019-05-04 18:26:11 +00:00
class WebSocketController(Controller):
def handle_request(self):
conn = WebSocketConnection(self.handler, WebSocketMessageHandler())
conn.send("CLIENT DE SERVER openwebrx.py")
# enter read loop
conn.read_loop()