2019-07-06 16:21:43 +00:00
|
|
|
import threading
|
|
|
|
import wave
|
2019-07-20 10:47:10 +00:00
|
|
|
from datetime import datetime, timedelta, date, timezone
|
2019-07-06 16:21:43 +00:00
|
|
|
import time
|
|
|
|
import sched
|
|
|
|
import subprocess
|
2019-07-06 18:03:17 +00:00
|
|
|
import os
|
|
|
|
from multiprocessing.connection import Pipe
|
2019-07-06 20:21:47 +00:00
|
|
|
from owrx.map import Map, LocatorLocation
|
|
|
|
import re
|
2019-08-22 19:24:36 +00:00
|
|
|
from queue import Queue, Full
|
2019-07-13 15:16:38 +00:00
|
|
|
from owrx.config import PropertyManager
|
2019-07-14 17:32:48 +00:00
|
|
|
from owrx.bands import Bandplan
|
2019-09-12 20:50:29 +00:00
|
|
|
from owrx.metrics import Metrics, CounterMetric, DirectMetric
|
2019-09-23 16:33:52 +00:00
|
|
|
from owrx.pskreporter import PskReporter
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
import logging
|
2019-07-21 17:40:28 +00:00
|
|
|
|
2019-07-06 16:21:43 +00:00
|
|
|
logger = logging.getLogger(__name__)
|
2019-09-22 10:57:59 +00:00
|
|
|
logger.setLevel(logging.INFO)
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
|
2019-08-22 19:16:43 +00:00
|
|
|
class WsjtQueueWorker(threading.Thread):
|
|
|
|
def __init__(self, queue):
|
|
|
|
self.queue = queue
|
|
|
|
self.doRun = True
|
|
|
|
super().__init__(daemon=True)
|
|
|
|
|
|
|
|
def run(self) -> None:
|
|
|
|
while self.doRun:
|
|
|
|
(processor, file) = self.queue.get()
|
2019-08-23 20:32:46 +00:00
|
|
|
try:
|
|
|
|
logger.debug("processing file %s", file)
|
|
|
|
processor.decode(file)
|
|
|
|
except Exception:
|
|
|
|
logger.exception("failed to decode job")
|
2019-09-17 23:46:09 +00:00
|
|
|
self.queue.onError()
|
2019-08-22 19:16:43 +00:00
|
|
|
self.queue.task_done()
|
|
|
|
|
|
|
|
|
|
|
|
class WsjtQueue(Queue):
|
|
|
|
sharedInstance = None
|
2019-09-18 13:40:23 +00:00
|
|
|
creationLock = threading.Lock()
|
2019-08-22 19:16:43 +00:00
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
def getSharedInstance():
|
2019-09-18 13:40:23 +00:00
|
|
|
with WsjtQueue.creationLock:
|
|
|
|
if WsjtQueue.sharedInstance is None:
|
|
|
|
pm = PropertyManager.getSharedInstance()
|
|
|
|
WsjtQueue.sharedInstance = WsjtQueue(maxsize=pm["wsjt_queue_length"], workers=pm["wsjt_queue_workers"])
|
2019-08-22 19:16:43 +00:00
|
|
|
return WsjtQueue.sharedInstance
|
|
|
|
|
|
|
|
def __init__(self, maxsize, workers):
|
|
|
|
super().__init__(maxsize)
|
2019-09-12 22:16:36 +00:00
|
|
|
metrics = Metrics.getSharedInstance()
|
|
|
|
metrics.addMetric("wsjt.queue.length", DirectMetric(self.qsize))
|
|
|
|
self.inCounter = CounterMetric()
|
|
|
|
metrics.addMetric("wsjt.queue.in", self.inCounter)
|
|
|
|
self.outCounter = CounterMetric()
|
|
|
|
metrics.addMetric("wsjt.queue.out", self.outCounter)
|
2019-09-15 10:23:35 +00:00
|
|
|
self.overflowCounter = CounterMetric()
|
|
|
|
metrics.addMetric("wsjt.queue.overflow", self.overflowCounter)
|
2019-09-17 23:46:09 +00:00
|
|
|
self.errorCounter = CounterMetric()
|
|
|
|
metrics.addMetric("wsjt.queue.error", self.errorCounter)
|
2019-08-22 19:16:43 +00:00
|
|
|
self.workers = [self.newWorker() for _ in range(0, workers)]
|
|
|
|
|
|
|
|
def put(self, item):
|
2019-09-12 22:16:36 +00:00
|
|
|
self.inCounter.inc()
|
2019-09-15 10:23:35 +00:00
|
|
|
try:
|
|
|
|
super(WsjtQueue, self).put(item, block=False)
|
|
|
|
except Full:
|
|
|
|
self.overflowCounter.inc()
|
|
|
|
raise
|
2019-08-22 19:16:43 +00:00
|
|
|
|
2019-09-12 22:16:36 +00:00
|
|
|
def get(self, **kwargs):
|
|
|
|
# super.get() is blocking, so it would mess up the stats to inc() first
|
|
|
|
out = super(WsjtQueue, self).get(**kwargs)
|
|
|
|
self.outCounter.inc()
|
|
|
|
return out
|
|
|
|
|
2019-08-22 19:16:43 +00:00
|
|
|
def newWorker(self):
|
|
|
|
worker = WsjtQueueWorker(self)
|
|
|
|
worker.start()
|
|
|
|
return worker
|
|
|
|
|
2019-09-17 23:46:09 +00:00
|
|
|
def onError(self):
|
|
|
|
self.errorCounter.inc()
|
|
|
|
|
2019-08-22 19:16:43 +00:00
|
|
|
|
2019-07-13 21:16:25 +00:00
|
|
|
class WsjtChopper(threading.Thread):
|
2019-07-06 16:21:43 +00:00
|
|
|
def __init__(self, source):
|
|
|
|
self.source = source
|
2019-07-13 15:16:38 +00:00
|
|
|
self.tmp_dir = PropertyManager.getSharedInstance()["temporary_directory"]
|
2019-07-06 16:21:43 +00:00
|
|
|
(self.wavefilename, self.wavefile) = self.getWaveFile()
|
2019-07-10 20:09:31 +00:00
|
|
|
self.switchingLock = threading.Lock()
|
2019-07-06 16:21:43 +00:00
|
|
|
self.scheduler = sched.scheduler(time.time, time.sleep)
|
2019-09-17 23:46:31 +00:00
|
|
|
self.schedulerLock = threading.Lock()
|
2019-07-06 18:03:17 +00:00
|
|
|
(self.outputReader, self.outputWriter) = Pipe()
|
2019-07-06 16:21:43 +00:00
|
|
|
self.doRun = True
|
|
|
|
super().__init__()
|
|
|
|
|
|
|
|
def getWaveFile(self):
|
2019-07-13 21:16:25 +00:00
|
|
|
filename = "{tmp_dir}/openwebrx-wsjtchopper-{id}-{timestamp}.wav".format(
|
2019-07-21 17:40:28 +00:00
|
|
|
tmp_dir=self.tmp_dir, id=id(self), timestamp=datetime.utcnow().strftime(self.fileTimestampFormat)
|
2019-07-11 18:48:02 +00:00
|
|
|
)
|
2019-07-06 16:21:43 +00:00
|
|
|
wavefile = wave.open(filename, "wb")
|
|
|
|
wavefile.setnchannels(1)
|
|
|
|
wavefile.setsampwidth(2)
|
|
|
|
wavefile.setframerate(12000)
|
2019-09-23 16:33:52 +00:00
|
|
|
return filename, wavefile
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
def getNextDecodingTime(self):
|
|
|
|
t = datetime.now()
|
2019-07-13 21:16:25 +00:00
|
|
|
zeroed = t.replace(minute=0, second=0, microsecond=0)
|
|
|
|
delta = t - zeroed
|
|
|
|
seconds = (int(delta.total_seconds() / self.interval) + 1) * self.interval
|
2019-07-21 17:40:28 +00:00
|
|
|
t = zeroed + timedelta(seconds=seconds)
|
2019-07-06 16:21:43 +00:00
|
|
|
logger.debug("scheduling: {0}".format(t))
|
|
|
|
return t.timestamp()
|
|
|
|
|
|
|
|
def startScheduler(self):
|
|
|
|
self._scheduleNextSwitch()
|
2019-07-21 17:40:28 +00:00
|
|
|
threading.Thread(target=self.scheduler.run).start()
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
def emptyScheduler(self):
|
2019-09-17 23:46:31 +00:00
|
|
|
with self.schedulerLock:
|
|
|
|
for event in self.scheduler.queue:
|
|
|
|
self.scheduler.cancel(event)
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
def _scheduleNextSwitch(self):
|
2019-09-17 23:46:31 +00:00
|
|
|
with self.schedulerLock:
|
2019-09-18 13:40:23 +00:00
|
|
|
if self.doRun:
|
|
|
|
self.scheduler.enterabs(self.getNextDecodingTime(), 1, self.switchFiles)
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
def switchFiles(self):
|
2019-07-10 20:09:31 +00:00
|
|
|
self.switchingLock.acquire()
|
2019-07-06 16:21:43 +00:00
|
|
|
file = self.wavefile
|
|
|
|
filename = self.wavefilename
|
|
|
|
(self.wavefilename, self.wavefile) = self.getWaveFile()
|
2019-07-10 20:09:31 +00:00
|
|
|
self.switchingLock.release()
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
file.close()
|
2019-08-22 19:24:36 +00:00
|
|
|
try:
|
|
|
|
WsjtQueue.getSharedInstance().put((self, filename))
|
|
|
|
except Full:
|
|
|
|
logger.warning("wsjt decoding queue overflow; dropping one file")
|
|
|
|
os.unlink(filename)
|
2019-07-06 16:21:43 +00:00
|
|
|
self._scheduleNextSwitch()
|
|
|
|
|
2019-07-13 21:16:25 +00:00
|
|
|
def decoder_commandline(self, file):
|
2019-07-20 10:47:10 +00:00
|
|
|
"""
|
2019-07-13 21:16:25 +00:00
|
|
|
must be overridden in child classes
|
2019-07-20 10:47:10 +00:00
|
|
|
"""
|
2019-07-13 21:16:25 +00:00
|
|
|
return []
|
|
|
|
|
2019-08-22 19:16:43 +00:00
|
|
|
def decode(self, file):
|
2019-09-13 21:03:05 +00:00
|
|
|
decoder = subprocess.Popen(
|
|
|
|
self.decoder_commandline(file), stdout=subprocess.PIPE, cwd=self.tmp_dir, preexec_fn=lambda: os.nice(10)
|
|
|
|
)
|
2019-08-22 19:16:43 +00:00
|
|
|
while True:
|
|
|
|
line = decoder.stdout.readline()
|
|
|
|
if line is None or (isinstance(line, bytes) and len(line) == 0):
|
|
|
|
break
|
|
|
|
self.outputWriter.send(line)
|
|
|
|
rc = decoder.wait()
|
|
|
|
if rc != 0:
|
|
|
|
logger.warning("decoder return code: %i", rc)
|
|
|
|
os.unlink(file)
|
2019-07-06 16:21:43 +00:00
|
|
|
|
|
|
|
def run(self) -> None:
|
2019-07-13 21:16:25 +00:00
|
|
|
logger.debug("WSJT chopper starting up")
|
2019-07-06 16:21:43 +00:00
|
|
|
self.startScheduler()
|
|
|
|
while self.doRun:
|
|
|
|
data = self.source.read(256)
|
|
|
|
if data is None or (isinstance(data, bytes) and len(data) == 0):
|
|
|
|
self.doRun = False
|
|
|
|
else:
|
2019-07-10 20:09:31 +00:00
|
|
|
self.switchingLock.acquire()
|
2019-07-06 16:21:43 +00:00
|
|
|
self.wavefile.writeframes(data)
|
2019-07-10 20:09:31 +00:00
|
|
|
self.switchingLock.release()
|
2019-07-06 16:21:43 +00:00
|
|
|
|
2019-07-13 21:16:25 +00:00
|
|
|
logger.debug("WSJT chopper shutting down")
|
2019-07-06 18:03:17 +00:00
|
|
|
self.outputReader.close()
|
|
|
|
self.outputWriter.close()
|
2019-07-06 16:21:43 +00:00
|
|
|
self.emptyScheduler()
|
2019-07-12 17:34:04 +00:00
|
|
|
try:
|
|
|
|
os.unlink(self.wavefilename)
|
|
|
|
except Exception:
|
|
|
|
logger.exception("error removing undecoded file")
|
2019-07-06 18:03:17 +00:00
|
|
|
|
|
|
|
def read(self):
|
|
|
|
try:
|
|
|
|
return self.outputReader.recv()
|
|
|
|
except EOFError:
|
|
|
|
return None
|
|
|
|
|
2019-09-15 14:37:12 +00:00
|
|
|
def decoding_depth(self, mode):
|
|
|
|
pm = PropertyManager.getSharedInstance()
|
|
|
|
# mode-specific setting?
|
|
|
|
if "wsjt_decoding_depths" in pm and mode in pm["wsjt_decoding_depths"]:
|
2019-09-23 01:15:24 +00:00
|
|
|
return pm["wsjt_decoding_depths"][mode]
|
2019-09-15 14:37:12 +00:00
|
|
|
# return global default
|
|
|
|
if "wsjt_decoding_depth" in pm:
|
|
|
|
return pm["wsjt_decoding_depth"]
|
|
|
|
# default when no setting is provided
|
|
|
|
return 3
|
|
|
|
|
2019-07-06 18:03:17 +00:00
|
|
|
|
2019-07-13 21:16:25 +00:00
|
|
|
class Ft8Chopper(WsjtChopper):
|
|
|
|
def __init__(self, source):
|
|
|
|
self.interval = 15
|
2019-07-20 10:47:10 +00:00
|
|
|
self.fileTimestampFormat = "%y%m%d_%H%M%S"
|
2019-07-13 21:16:25 +00:00
|
|
|
super().__init__(source)
|
|
|
|
|
|
|
|
def decoder_commandline(self, file):
|
2019-09-15 14:37:12 +00:00
|
|
|
return ["jt9", "--ft8", "-d", str(self.decoding_depth("ft8")), file]
|
2019-07-13 21:16:25 +00:00
|
|
|
|
|
|
|
|
|
|
|
class WsprChopper(WsjtChopper):
|
|
|
|
def __init__(self, source):
|
|
|
|
self.interval = 120
|
2019-07-20 10:47:10 +00:00
|
|
|
self.fileTimestampFormat = "%y%m%d_%H%M"
|
2019-07-13 21:16:25 +00:00
|
|
|
super().__init__(source)
|
|
|
|
|
|
|
|
def decoder_commandline(self, file):
|
2019-09-15 14:37:12 +00:00
|
|
|
cmd = ["wsprd"]
|
|
|
|
if self.decoding_depth("wspr") > 1:
|
|
|
|
cmd += ["-d"]
|
|
|
|
cmd += [file]
|
|
|
|
return cmd
|
2019-07-13 21:16:25 +00:00
|
|
|
|
|
|
|
|
2019-07-14 15:09:34 +00:00
|
|
|
class Jt65Chopper(WsjtChopper):
|
|
|
|
def __init__(self, source):
|
|
|
|
self.interval = 60
|
2019-07-20 10:47:10 +00:00
|
|
|
self.fileTimestampFormat = "%y%m%d_%H%M"
|
2019-07-14 15:09:34 +00:00
|
|
|
super().__init__(source)
|
|
|
|
|
|
|
|
def decoder_commandline(self, file):
|
2019-09-15 14:37:12 +00:00
|
|
|
return ["jt9", "--jt65", "-d", str(self.decoding_depth("jt65")), file]
|
2019-07-14 15:09:34 +00:00
|
|
|
|
|
|
|
|
|
|
|
class Jt9Chopper(WsjtChopper):
|
|
|
|
def __init__(self, source):
|
|
|
|
self.interval = 60
|
2019-07-20 10:47:10 +00:00
|
|
|
self.fileTimestampFormat = "%y%m%d_%H%M"
|
2019-07-14 15:09:34 +00:00
|
|
|
super().__init__(source)
|
|
|
|
|
|
|
|
def decoder_commandline(self, file):
|
2019-09-15 14:37:12 +00:00
|
|
|
return ["jt9", "--jt9", "-d", str(self.decoding_depth("jt9")), file]
|
2019-07-14 15:09:34 +00:00
|
|
|
|
|
|
|
|
2019-07-20 11:38:25 +00:00
|
|
|
class Ft4Chopper(WsjtChopper):
|
|
|
|
def __init__(self, source):
|
|
|
|
self.interval = 7.5
|
|
|
|
self.fileTimestampFormat = "%y%m%d_%H%M%S"
|
|
|
|
super().__init__(source)
|
|
|
|
|
|
|
|
def decoder_commandline(self, file):
|
2019-09-15 14:37:12 +00:00
|
|
|
return ["jt9", "--ft4", "-d", str(self.decoding_depth("ft4")), file]
|
2019-07-20 11:38:25 +00:00
|
|
|
|
|
|
|
|
2019-07-06 18:03:17 +00:00
|
|
|
class WsjtParser(object):
|
|
|
|
def __init__(self, handler):
|
|
|
|
self.handler = handler
|
2019-07-14 17:32:48 +00:00
|
|
|
self.dial_freq = None
|
|
|
|
self.band = None
|
2019-07-06 18:03:17 +00:00
|
|
|
|
2019-07-21 17:40:28 +00:00
|
|
|
modes = {"~": "FT8", "#": "JT65", "@": "JT9", "+": "FT4"}
|
2019-07-11 21:40:09 +00:00
|
|
|
|
2019-07-06 18:03:17 +00:00
|
|
|
def parse(self, data):
|
|
|
|
try:
|
|
|
|
msg = data.decode().rstrip()
|
|
|
|
# known debug messages we know to skip
|
|
|
|
if msg.startswith("<DecodeFinished>"):
|
|
|
|
return
|
|
|
|
if msg.startswith(" EOF on input file"):
|
|
|
|
return
|
|
|
|
|
2019-07-20 10:47:10 +00:00
|
|
|
modes = list(WsjtParser.modes.keys())
|
|
|
|
if msg[21] in modes or msg[19] in modes:
|
2019-09-23 16:33:52 +00:00
|
|
|
decoder = Jt9Decoder()
|
2019-07-20 10:47:10 +00:00
|
|
|
else:
|
2019-09-23 16:33:52 +00:00
|
|
|
decoder = WsprDecoder()
|
2019-09-23 20:45:55 +00:00
|
|
|
out = decoder.parse(msg, self.dial_freq)
|
2019-09-23 16:33:52 +00:00
|
|
|
if "mode" in out:
|
|
|
|
self.pushDecode(out["mode"])
|
|
|
|
if "callsign" in out and "locator" in out:
|
|
|
|
Map.getSharedInstance().updateLocation(
|
|
|
|
out["callsign"], LocatorLocation(out["locator"]), out["mode"], self.band
|
|
|
|
)
|
|
|
|
PskReporter.getSharedInstance().spot(out)
|
2019-07-06 18:03:17 +00:00
|
|
|
|
|
|
|
self.handler.write_wsjt_message(out)
|
|
|
|
except ValueError:
|
|
|
|
logger.exception("error while parsing wsjt message")
|
2019-07-06 20:21:47 +00:00
|
|
|
|
2019-09-12 20:50:29 +00:00
|
|
|
def pushDecode(self, mode):
|
|
|
|
metrics = Metrics.getSharedInstance()
|
2019-09-12 21:23:50 +00:00
|
|
|
band = "unknown"
|
|
|
|
if self.band is not None:
|
|
|
|
band = self.band.getName()
|
2019-09-12 20:50:29 +00:00
|
|
|
if band is None:
|
|
|
|
band = "unknown"
|
|
|
|
|
|
|
|
if mode is None:
|
|
|
|
mode = "unknown"
|
|
|
|
|
|
|
|
name = "wsjt.decodes.{band}.{mode}".format(band=band, mode=mode)
|
|
|
|
metric = metrics.getMetric(name)
|
|
|
|
if metric is None:
|
|
|
|
metric = CounterMetric()
|
|
|
|
metrics.addMetric(name, metric)
|
|
|
|
|
|
|
|
metric.inc()
|
|
|
|
|
2019-09-23 16:33:52 +00:00
|
|
|
def setDialFrequency(self, freq):
|
|
|
|
self.dial_freq = freq
|
|
|
|
self.band = Bandplan.getSharedInstance().findBand(freq)
|
|
|
|
|
|
|
|
|
|
|
|
class Decoder(object):
|
|
|
|
def parse_timestamp(self, instring, dateformat):
|
|
|
|
ts = datetime.strptime(instring, dateformat)
|
2019-09-24 22:47:34 +00:00
|
|
|
return int(
|
|
|
|
datetime.combine(datetime.utcnow().date(), ts.time()).replace(tzinfo=timezone.utc).timestamp() * 1000
|
|
|
|
)
|
2019-09-23 16:33:52 +00:00
|
|
|
|
|
|
|
|
|
|
|
class Jt9Decoder(Decoder):
|
|
|
|
locator_pattern = re.compile("[A-Z0-9]+\\s([A-Z0-9]+)\\s([A-R]{2}[0-9]{2})$")
|
|
|
|
|
2019-09-23 20:45:55 +00:00
|
|
|
def parse(self, msg, dial_freq):
|
2019-07-13 21:16:25 +00:00
|
|
|
# ft8 sample
|
|
|
|
# '222100 -15 -0.0 508 ~ CQ EA7MJ IM66'
|
2019-07-14 15:09:34 +00:00
|
|
|
# jt65 sample
|
2019-07-20 10:47:10 +00:00
|
|
|
# '2352 -7 0.4 1801 # R0WAS R2ABM KO85'
|
|
|
|
# '0003 -4 0.4 1762 # CQ R2ABM KO85'
|
|
|
|
modes = list(WsjtParser.modes.keys())
|
|
|
|
if msg[19] in modes:
|
|
|
|
dateformat = "%H%M"
|
2019-07-14 15:09:34 +00:00
|
|
|
else:
|
2019-07-20 10:47:10 +00:00
|
|
|
dateformat = "%H%M%S"
|
2019-07-21 17:40:28 +00:00
|
|
|
timestamp = self.parse_timestamp(msg[0 : len(dateformat)], dateformat)
|
|
|
|
msg = msg[len(dateformat) + 1 :]
|
2019-07-14 15:09:34 +00:00
|
|
|
modeChar = msg[14:15]
|
2019-07-20 10:47:10 +00:00
|
|
|
mode = WsjtParser.modes[modeChar] if modeChar in WsjtParser.modes else "unknown"
|
2019-07-14 15:09:34 +00:00
|
|
|
wsjt_msg = msg[17:53].strip()
|
2019-09-12 20:50:29 +00:00
|
|
|
|
2019-09-23 16:33:52 +00:00
|
|
|
result = {
|
2019-07-20 10:47:10 +00:00
|
|
|
"timestamp": timestamp,
|
|
|
|
"db": float(msg[0:3]),
|
|
|
|
"dt": float(msg[4:8]),
|
2019-09-23 20:45:55 +00:00
|
|
|
"freq": dial_freq + int(msg[9:13]),
|
2019-07-20 10:47:10 +00:00
|
|
|
"mode": mode,
|
2019-07-21 17:40:28 +00:00
|
|
|
"msg": wsjt_msg,
|
2019-07-20 10:47:10 +00:00
|
|
|
}
|
2019-09-23 16:33:52 +00:00
|
|
|
result.update(self.parseMessage(wsjt_msg))
|
|
|
|
return result
|
2019-07-13 21:16:25 +00:00
|
|
|
|
2019-09-23 16:33:52 +00:00
|
|
|
def parseMessage(self, msg):
|
|
|
|
m = Jt9Decoder.locator_pattern.match(msg)
|
2019-07-06 20:21:47 +00:00
|
|
|
if m is None:
|
2019-09-23 16:33:52 +00:00
|
|
|
return {}
|
2019-07-06 20:21:47 +00:00
|
|
|
# this is a valid locator in theory, but it's somewhere in the arctic ocean, near the north pole, so it's very
|
|
|
|
# likely this just means roger roger goodbye.
|
|
|
|
if m.group(2) == "RR73":
|
2019-09-23 16:33:52 +00:00
|
|
|
return {"callsign": m.group(1)}
|
|
|
|
return {"callsign": m.group(1), "locator": m.group(2)}
|
|
|
|
|
2019-07-13 21:16:25 +00:00
|
|
|
|
2019-09-23 16:33:52 +00:00
|
|
|
class WsprDecoder(Decoder):
|
|
|
|
wspr_splitter_pattern = re.compile("([A-Z0-9]*)\\s([A-R]{2}[0-9]{2})\\s([0-9]+)")
|
|
|
|
|
2019-09-23 20:45:55 +00:00
|
|
|
def parse(self, msg, dial_freq):
|
2019-07-13 21:16:25 +00:00
|
|
|
# wspr sample
|
|
|
|
# '2600 -24 0.4 0.001492 -1 G8AXA JO01 33'
|
2019-07-20 10:47:10 +00:00
|
|
|
# '0052 -29 2.6 0.001486 0 G02CWT IO92 23'
|
2019-07-14 12:33:30 +00:00
|
|
|
wsjt_msg = msg[29:].strip()
|
2019-09-23 16:33:52 +00:00
|
|
|
result = {
|
2019-07-20 10:47:10 +00:00
|
|
|
"timestamp": self.parse_timestamp(msg[0:4], "%H%M"),
|
|
|
|
"db": float(msg[5:8]),
|
|
|
|
"dt": float(msg[9:13]),
|
2019-09-23 20:45:55 +00:00
|
|
|
"freq": dial_freq + int(float(msg[14:24]) * 1e6),
|
2019-07-20 10:47:10 +00:00
|
|
|
"drift": int(msg[25:28]),
|
|
|
|
"mode": "WSPR",
|
2019-07-21 17:40:28 +00:00
|
|
|
"msg": wsjt_msg,
|
2019-07-20 10:47:10 +00:00
|
|
|
}
|
2019-09-23 16:33:52 +00:00
|
|
|
result.update(self.parseMessage(wsjt_msg))
|
|
|
|
return result
|
2019-07-13 21:16:25 +00:00
|
|
|
|
2019-09-23 16:33:52 +00:00
|
|
|
def parseMessage(self, msg):
|
|
|
|
m = WsprDecoder.wspr_splitter_pattern.match(msg)
|
2019-07-13 21:16:25 +00:00
|
|
|
if m is None:
|
2019-09-23 16:33:52 +00:00
|
|
|
return {}
|
|
|
|
return {"callsign": m.group(1), "locator": m.group(2)}
|