diff --git a/.gitignore b/.gitignore
index 4c6d018..5c66355 100644
--- a/.gitignore
+++ b/.gitignore
@@ -64,3 +64,6 @@ data/subghz/captures/
.env
.env.*
!.env.example
+
+# Local utility scripts
+reset-sdr.*
diff --git a/app.py b/app.py
index db8145f..420f8a5 100644
--- a/app.py
+++ b/app.py
@@ -213,6 +213,11 @@ meteor_process = None
meteor_queue = queue.Queue(maxsize=QUEUE_MAX_SIZE)
meteor_lock = threading.Lock()
+# Generic OOK signal decoder
+ook_process = None
+ook_queue = queue.Queue(maxsize=QUEUE_MAX_SIZE)
+ook_lock = threading.Lock()
+
# Deauth Attack Detection
deauth_detector = None
deauth_detector_queue = queue.Queue(maxsize=QUEUE_MAX_SIZE)
diff --git a/routes/__init__.py b/routes/__init__.py
index 3f77052..82b297c 100644
--- a/routes/__init__.py
+++ b/routes/__init__.py
@@ -18,6 +18,7 @@ def register_blueprints(app):
from .meshtastic import meshtastic_bp
from .meteor_websocket import meteor_bp
from .morse import morse_bp
+ from .ook import ook_bp
from .offline import offline_bp
from .pager import pager_bp
from .radiosonde import radiosonde_bp
@@ -81,6 +82,7 @@ def register_blueprints(app):
app.register_blueprint(morse_bp) # CW/Morse code decoder
app.register_blueprint(radiosonde_bp) # Radiosonde weather balloon tracking
app.register_blueprint(system_bp) # System health monitoring
+ app.register_blueprint(ook_bp) # Generic OOK signal decoder
# Initialize TSCM state with queue and lock from app
import app as app_module
diff --git a/routes/ook.py b/routes/ook.py
new file mode 100644
index 0000000..87c209d
--- /dev/null
+++ b/routes/ook.py
@@ -0,0 +1,290 @@
+"""Generic OOK signal decoder routes.
+
+Captures raw OOK frames using rtl_433's flex decoder and streams decoded
+bit/hex data to the browser for live ASCII interpretation. Supports
+PWM, PPM, and Manchester modulation with fully configurable pulse timing.
+"""
+
+from __future__ import annotations
+
+import contextlib
+import queue
+import subprocess
+import threading
+from typing import Any
+
+from flask import Blueprint, Response, jsonify, request
+
+import app as app_module
+from utils.event_pipeline import process_event
+from utils.logging import sensor_logger as logger
+from utils.ook import ook_parser_thread
+from utils.process import register_process, safe_terminate, unregister_process
+from utils.sdr import SDRFactory, SDRType
+from utils.sse import sse_stream_fanout
+from utils.validation import (
+ validate_device_index,
+ validate_frequency,
+ validate_gain,
+ validate_ppm,
+ validate_rtl_tcp_host,
+ validate_rtl_tcp_port,
+)
+
+ook_bp = Blueprint('ook', __name__)
+
+# Track which device is being used
+ook_active_device: int | None = None
+
+# Supported modulation schemes → rtl_433 flex decoder modulation string
+_MODULATION_MAP = {
+ 'pwm': 'OOK_PWM',
+ 'ppm': 'OOK_PPM',
+ 'manchester': 'OOK_MC_ZEROBIT',
+}
+
+
+def _validate_encoding(value: Any) -> str:
+ enc = str(value).lower().strip()
+ if enc not in _MODULATION_MAP:
+ raise ValueError(f"encoding must be one of: {', '.join(_MODULATION_MAP)}")
+ return enc
+
+
+@ook_bp.route('/ook/start', methods=['POST'])
+def start_ook() -> Response:
+ global ook_active_device
+
+ with app_module.ook_lock:
+ if app_module.ook_process:
+ return jsonify({'status': 'error', 'message': 'OOK decoder already running'}), 409
+
+ data = request.json or {}
+
+ try:
+ freq = validate_frequency(data.get('frequency', '433.920'))
+ gain = validate_gain(data.get('gain', '0'))
+ ppm = validate_ppm(data.get('ppm', '0'))
+ device = validate_device_index(data.get('device', '0'))
+ except ValueError as e:
+ return jsonify({'status': 'error', 'message': str(e)}), 400
+
+ try:
+ encoding = _validate_encoding(data.get('encoding', 'pwm'))
+ except ValueError as e:
+ return jsonify({'status': 'error', 'message': str(e)}), 400
+
+ # OOK flex decoder timing parameters
+ try:
+ short_pulse = int(data.get('short_pulse', 300))
+ long_pulse = int(data.get('long_pulse', 600))
+ reset_limit = int(data.get('reset_limit', 8000))
+ gap_limit = int(data.get('gap_limit', 5000))
+ tolerance = int(data.get('tolerance', 150))
+ min_bits = int(data.get('min_bits', 8))
+ except (ValueError, TypeError) as e:
+ return jsonify({'status': 'error', 'message': f'Invalid timing parameter: {e}'}), 400
+ deduplicate = bool(data.get('deduplicate', False))
+
+ rtl_tcp_host = data.get('rtl_tcp_host') or None
+ rtl_tcp_port = data.get('rtl_tcp_port', 1234)
+
+ if not rtl_tcp_host:
+ device_int = int(device)
+ error = app_module.claim_sdr_device(device_int, 'ook')
+ if error:
+ return jsonify({
+ 'status': 'error',
+ 'error_type': 'DEVICE_BUSY',
+ 'message': error,
+ }), 409
+ ook_active_device = device_int
+
+ while not app_module.ook_queue.empty():
+ try:
+ app_module.ook_queue.get_nowait()
+ except queue.Empty:
+ break
+
+ sdr_type_str = data.get('sdr_type', 'rtlsdr')
+ try:
+ sdr_type = SDRType(sdr_type_str)
+ except ValueError:
+ sdr_type = SDRType.RTL_SDR
+
+ if rtl_tcp_host:
+ try:
+ rtl_tcp_host = validate_rtl_tcp_host(rtl_tcp_host)
+ rtl_tcp_port = validate_rtl_tcp_port(rtl_tcp_port)
+ except ValueError as e:
+ return jsonify({'status': 'error', 'message': str(e)}), 400
+ sdr_device = SDRFactory.create_network_device(rtl_tcp_host, rtl_tcp_port)
+ logger.info(f'Using remote SDR: rtl_tcp://{rtl_tcp_host}:{rtl_tcp_port}')
+ else:
+ sdr_device = SDRFactory.create_default_device(sdr_type, index=device)
+
+ builder = SDRFactory.get_builder(sdr_device.sdr_type)
+ bias_t = data.get('bias_t', False)
+
+ # Build base ISM command then replace protocol flags with flex decoder
+ cmd = builder.build_ism_command(
+ device=sdr_device,
+ frequency_mhz=freq,
+ gain=float(gain) if gain and gain != '0' else None,
+ ppm=int(ppm) if ppm and ppm != '0' else None,
+ bias_t=bias_t,
+ )
+
+ modulation = _MODULATION_MAP[encoding]
+ flex_spec = (
+ f'n=ook,m={modulation},'
+ f's={short_pulse},l={long_pulse},'
+ f'r={reset_limit},g={gap_limit},'
+ f't={tolerance},bits>={min_bits}'
+ )
+
+ # Strip any existing -R flags from the base command
+ filtered_cmd: list[str] = []
+ skip_next = False
+ for arg in cmd:
+ if skip_next:
+ skip_next = False
+ continue
+ if arg == '-R':
+ skip_next = True
+ continue
+ filtered_cmd.append(arg)
+
+ filtered_cmd.extend(['-M', 'level', '-R', '0', '-X', flex_spec])
+
+ full_cmd = ' '.join(filtered_cmd)
+ logger.info(f'OOK decoder running: {full_cmd}')
+
+ try:
+ rtl_process = subprocess.Popen(
+ filtered_cmd,
+ stdout=subprocess.PIPE,
+ stderr=subprocess.PIPE,
+ )
+ register_process(rtl_process)
+
+ _stderr_noise = ('bitbuffer_add_bit', 'row count limit')
+
+ def monitor_stderr() -> None:
+ for line in rtl_process.stderr:
+ err_text = line.decode('utf-8', errors='replace').strip()
+ if err_text and not any(n in err_text for n in _stderr_noise):
+ logger.debug(f'[rtl_433/ook] {err_text}')
+
+ stderr_thread = threading.Thread(target=monitor_stderr)
+ stderr_thread.daemon = True
+ stderr_thread.start()
+
+ stop_event = threading.Event()
+ parser_thread = threading.Thread(
+ target=ook_parser_thread,
+ args=(
+ rtl_process.stdout,
+ app_module.ook_queue,
+ stop_event,
+ encoding,
+ deduplicate,
+ ),
+ )
+ parser_thread.daemon = True
+ parser_thread.start()
+
+ app_module.ook_process = rtl_process
+ app_module.ook_process._stop_parser = stop_event
+ app_module.ook_process._parser_thread = parser_thread
+
+ try:
+ app_module.ook_queue.put_nowait({'type': 'status', 'status': 'started'})
+ except queue.Full:
+ logger.warning("OOK 'started' status dropped — queue full")
+
+ return jsonify({
+ 'status': 'started',
+ 'command': full_cmd,
+ 'encoding': encoding,
+ 'modulation': modulation,
+ 'flex_spec': flex_spec,
+ 'deduplicate': deduplicate,
+ })
+
+ except FileNotFoundError as e:
+ if ook_active_device is not None:
+ app_module.release_sdr_device(ook_active_device)
+ ook_active_device = None
+ return jsonify({'status': 'error', 'message': f'Tool not found: {e.filename}'}), 400
+
+ except Exception as e:
+ try:
+ rtl_process.terminate()
+ rtl_process.wait(timeout=2)
+ except Exception:
+ with contextlib.suppress(Exception):
+ rtl_process.kill()
+ unregister_process(rtl_process)
+ if ook_active_device is not None:
+ app_module.release_sdr_device(ook_active_device)
+ ook_active_device = None
+ return jsonify({'status': 'error', 'message': str(e)}), 500
+
+
+@ook_bp.route('/ook/stop', methods=['POST'])
+def stop_ook() -> Response:
+ global ook_active_device
+
+ with app_module.ook_lock:
+ if app_module.ook_process:
+ stop_event = getattr(app_module.ook_process, '_stop_parser', None)
+ if stop_event:
+ stop_event.set()
+
+ safe_terminate(app_module.ook_process)
+ unregister_process(app_module.ook_process)
+ app_module.ook_process = None
+
+ if ook_active_device is not None:
+ app_module.release_sdr_device(ook_active_device)
+ ook_active_device = None
+
+ try:
+ app_module.ook_queue.put_nowait({'type': 'status', 'status': 'stopped'})
+ except queue.Full:
+ logger.warning("OOK 'stopped' status dropped — queue full")
+ return jsonify({'status': 'stopped'})
+
+ return jsonify({'status': 'not_running'})
+
+
+@ook_bp.route('/ook/status')
+def ook_status() -> Response:
+ with app_module.ook_lock:
+ running = (
+ app_module.ook_process is not None
+ and app_module.ook_process.poll() is None
+ )
+ return jsonify({'running': running})
+
+
+@ook_bp.route('/ook/stream')
+def ook_stream() -> Response:
+ def _on_msg(msg: dict[str, Any]) -> None:
+ process_event('ook', msg, msg.get('type'))
+
+ response = Response(
+ sse_stream_fanout(
+ source_queue=app_module.ook_queue,
+ channel_key='ook',
+ timeout=1.0,
+ keepalive_interval=30.0,
+ on_message=_on_msg,
+ ),
+ mimetype='text/event-stream',
+ )
+ response.headers['Cache-Control'] = 'no-cache'
+ response.headers['X-Accel-Buffering'] = 'no'
+ response.headers['Connection'] = 'keep-alive'
+ return response
diff --git a/static/js/core/cheat-sheets.js b/static/js/core/cheat-sheets.js
index f223079..bed4336 100644
--- a/static/js/core/cheat-sheets.js
+++ b/static/js/core/cheat-sheets.js
@@ -27,6 +27,21 @@ const CheatSheets = (function () {
radiosonde: { title: 'Radiosonde Tracker', icon: '🎈', hardware: 'RTL-SDR dongle', description: 'Tracks weather balloons via radiosonde telemetry using radiosonde_auto_rx.', whatToExpect: 'Position, altitude, temperature, humidity, pressure from active sondes.', tips: ['Sondes transmit on 400–406 MHz', 'Set your region to narrow the scan range', 'Gain 40 dB is a good starting point'] },
morse: { title: 'CW/Morse Decoder', icon: '📡', hardware: 'RTL-SDR + HF antenna (or upconverter)', description: 'Decodes CW Morse code via Goertzel tone detection or OOK envelope detection.', whatToExpect: 'Decoded Morse characters, WPM estimate, signal level.', tips: ['CW Tone mode for HF amateur bands (e.g. 7.030, 14.060 MHz)', 'OOK Envelope mode for ISM/UHF signals', 'Use band presets for quick tuning to CW sub-bands'] },
meteor: { title: 'Meteor Scatter', icon: '☄️', hardware: 'RTL-SDR + VHF antenna (143 MHz)', description: 'Monitors VHF beacon reflections from meteor ionization trails.', whatToExpect: 'Waterfall display with transient ping detections and event logging.', tips: ['GRAVES radar at 143.050 MHz is the primary target', 'Use a Yagi pointed south (from Europe) for best results', 'Peak activity during annual meteor showers (Perseids, Geminids)'] },
+ ook: {
+ title: 'OOK Signal Decoder',
+ icon: '📡',
+ hardware: 'RTL-SDR dongle',
+ description: 'Decodes raw On-Off Keying (OOK) signals via rtl_433 flex decoder. Captures frames with configurable pulse timing and displays raw bits, hex, and ASCII — useful for reverse-engineering unknown ISM-band protocols.',
+ whatToExpect: 'Decoded bit sequences, hex payloads, and ASCII interpretation. Each frame shows bit count, timestamp, and optional RSSI.',
+ tips: [
+ 'Identifying modulation — PWM: pulse widths vary (short=0, long=1), gaps constant — most common for ISM remotes/sensors. PPM: pulses constant, gap widths encode data. Manchester: self-clocking, equal-width pulses, data in transitions.',
+ 'Finding pulse timing — Run rtl_433 -f 433.92M -A in a terminal to auto-analyze signals. It prints detected pulse widths (short/long) and gap timings. Use those values in the Short/Long Pulse fields.',
+ 'Common ISM timings — 300/600µs (weather stations, door sensors), 400/800µs (car keyfobs), 500/1500µs (garage doors, doorbells), 500µs Manchester (tire pressure monitors).',
+ 'Frequencies to try — 315 MHz (North America keyfobs), 433.920 MHz (global ISM), 868 MHz (Europe ISM), 915 MHz (US ISM/meters).',
+ 'Troubleshooting — Garbled output? Try halving or doubling pulse timings. No frames? Increase tolerance (±200–300µs). Too many frames? Enable deduplication. Wrong characters? Toggle MSB/LSB bit order.',
+ 'Tolerance & reset — Tolerance is how much timing can drift (±150µs default). Reset limit is the silence gap that ends a frame (8000µs). Lower gap limit if frames are merging together.',
+ ]
+ },
};
function show(mode) {
diff --git a/static/js/modes/ook.js b/static/js/modes/ook.js
new file mode 100644
index 0000000..8221f4a
--- /dev/null
+++ b/static/js/modes/ook.js
@@ -0,0 +1,575 @@
+/**
+ * Generic OOK Signal Decoder module.
+ *
+ * IIFE providing start/stop controls, SSE streaming, and a live-updating
+ * frame log with configurable bit order (MSB/LSB) and ASCII interpretation.
+ * The backend sends raw bits; all byte grouping and ASCII display is done
+ * here so bit order can be flipped without restarting the decoder.
+ */
+var OokMode = (function () {
+ 'use strict';
+
+ var DEFAULT_FREQ_PRESETS = ['433.920', '315.000', '868.000', '915.000'];
+ var MAX_FRAMES = 5000;
+
+ var state = {
+ running: false,
+ initialized: false,
+ eventSource: null,
+ frames: [], // raw frame objects from SSE
+ frameCount: 0,
+ bitOrder: 'msb', // 'msb' | 'lsb'
+ filterQuery: '', // active hex/ascii filter
+ command: '', // the rtl_433 command being run
+ };
+
+ // ---- Initialization ----
+
+ function init() {
+ if (state.initialized) {
+ checkStatus();
+ return;
+ }
+ state.initialized = true;
+ renderPresets();
+ checkStatus();
+ }
+
+ function destroy() {
+ disconnectSSE();
+ }
+
+ // ---- Status ----
+
+ function checkStatus() {
+ fetch('/ook/status')
+ .then(function (r) { return r.json(); })
+ .then(function (data) {
+ if (data.running) {
+ state.running = true;
+ updateUI(true);
+ connectSSE();
+ } else {
+ state.running = false;
+ updateUI(false);
+ }
+ })
+ .catch(function () {});
+ }
+
+ // ---- Start / Stop ----
+
+ function start() {
+ if (state.running) return;
+
+ var remoteSDR = typeof getRemoteSDRConfig === 'function' ? getRemoteSDRConfig() : null;
+ if (remoteSDR === false) return;
+
+ var payload = {
+ frequency: document.getElementById('ookFrequency').value || '433.920',
+ gain: document.getElementById('ookGain').value || '0',
+ ppm: document.getElementById('ookPPM').value || '0',
+ device: document.getElementById('deviceSelect')?.value || '0',
+ sdr_type: document.getElementById('sdrTypeSelect')?.value || 'rtlsdr',
+ encoding: document.getElementById('ookEncoding').value || 'pwm',
+ short_pulse: document.getElementById('ookShortPulse').value || '300',
+ long_pulse: document.getElementById('ookLongPulse').value || '600',
+ reset_limit: document.getElementById('ookResetLimit').value || '8000',
+ gap_limit: document.getElementById('ookGapLimit').value || '5000',
+ tolerance: document.getElementById('ookTolerance').value || '150',
+ min_bits: document.getElementById('ookMinBits').value || '8',
+ deduplicate: document.getElementById('ookDeduplicate')?.checked || false,
+ bias_t: typeof getBiasTEnabled === 'function' ? getBiasTEnabled() : false,
+ };
+ if (remoteSDR) {
+ payload.rtl_tcp_host = remoteSDR.host;
+ payload.rtl_tcp_port = remoteSDR.port;
+ }
+
+ fetch('/ook/start', {
+ method: 'POST',
+ headers: { 'Content-Type': 'application/json' },
+ body: JSON.stringify(payload),
+ })
+ .then(function (r) { return r.json(); })
+ .then(function (data) {
+ if (data.status === 'started') {
+ state.running = true;
+ state.frames = [];
+ state.frameCount = 0;
+ updateUI(true);
+ connectSSE();
+ clearOutput();
+ showCommand(data.command || '');
+ } else {
+ alert('Error: ' + (data.message || 'Unknown error'));
+ }
+ })
+ .catch(function (err) {
+ alert('Failed to start OOK decoder: ' + err);
+ });
+ }
+
+ function stop() {
+ fetch('/ook/stop', { method: 'POST' })
+ .then(function (r) { return r.json(); })
+ .then(function () {
+ state.running = false;
+ updateUI(false);
+ disconnectSSE();
+ })
+ .catch(function () {});
+ }
+
+ // ---- SSE ----
+
+ function connectSSE() {
+ disconnectSSE();
+ var es = new EventSource('/ook/stream');
+ es.onmessage = function (e) {
+ try {
+ var msg = JSON.parse(e.data);
+ handleMessage(msg);
+ } catch (_) {}
+ };
+ es.onerror = function () {};
+ state.eventSource = es;
+ }
+
+ function disconnectSSE() {
+ if (state.eventSource) {
+ state.eventSource.close();
+ state.eventSource = null;
+ }
+ }
+
+ function handleMessage(msg) {
+ if (msg.type === 'ook_frame') {
+ handleFrame(msg);
+ } else if (msg.type === 'status') {
+ if (msg.status === 'stopped') {
+ state.running = false;
+ updateUI(false);
+ disconnectSSE();
+ }
+ } else if (msg.type === 'error') {
+ console.error('OOK error:', msg.text);
+ }
+ }
+
+ // ---- Frame handling ----
+
+ function handleFrame(msg) {
+ state.frames.push(msg);
+ state.frameCount++;
+
+ // Trim oldest frames when buffer exceeds cap
+ if (state.frames.length > MAX_FRAMES) {
+ state.frames.splice(0, state.frames.length - MAX_FRAMES);
+ var panel = document.getElementById('ookOutput');
+ if (panel && panel.firstChild) panel.removeChild(panel.firstChild);
+ }
+
+ var countEl = document.getElementById('ookFrameCount');
+ if (countEl) countEl.textContent = state.frameCount + ' frames';
+ var barEl = document.getElementById('ookStatusBarFrames');
+ if (barEl) barEl.textContent = state.frameCount + ' frames';
+
+ appendFrameEntry(msg, state.bitOrder);
+ }
+
+ // ---- Bit interpretation ----
+
+ /**
+ * Interpret a raw bit string as bytes and attempt ASCII.
+ * @param {string} bits - MSB-first bit string from backend
+ * @param {string} order - 'msb' | 'lsb'
+ * @returns {{hex: string, ascii: string, printable: string}}
+ */
+ function interpretBits(bits, order) {
+ var hexChars = [];
+ var asciiChars = [];
+ var printableChars = [];
+
+ for (var i = 0; i + 8 <= bits.length; i += 8) {
+ var byteBits = bits.slice(i, i + 8);
+ if (order === 'lsb') {
+ byteBits = byteBits.split('').reverse().join('');
+ }
+ var byteVal = parseInt(byteBits, 2);
+ hexChars.push(byteVal.toString(16).padStart(2, '0'));
+
+ if (byteVal >= 0x20 && byteVal <= 0x7E) {
+ asciiChars.push(String.fromCharCode(byteVal));
+ printableChars.push(String.fromCharCode(byteVal));
+ } else {
+ asciiChars.push('.');
+ }
+ }
+
+ return {
+ hex: hexChars.join(''),
+ ascii: asciiChars.join(''),
+ printable: printableChars.join(''),
+ };
+ }
+
+ function appendFrameEntry(msg, order) {
+ var panel = document.getElementById('ookOutput');
+ if (!panel) return;
+
+ var interp = interpretBits(msg.bits, order);
+ var hasPrintable = interp.printable.length > 0;
+
+ var div = document.createElement('div');
+ div.className = 'ook-frame';
+ div.dataset.bits = msg.bits || '';
+ div.dataset.bitCount = msg.bit_count;
+ div.dataset.inverted = msg.inverted ? '1' : '0';
+
+ var color = hasPrintable ? '#00ff88' : 'var(--text-dim)';
+ var suffix = '';
+ if (msg.inverted) suffix += ' (inv)';
+
+ var rssiStr = (msg.rssi !== undefined && msg.rssi !== null)
+ ? ' ' + msg.rssi.toFixed(1) + ' dB SNR'
+ : '';
+
+ div.innerHTML =
+ '' + msg.timestamp + '' +
+ ' [' + msg.bit_count + 'b]' +
+ rssiStr + suffix +
+ '
' +
+ '' +
+ 'hex: ' + interp.hex +
+ '' +
+ '
' +
+ '' +
+ 'ascii: ' + (typeof escapeHtml === 'function' ? escapeHtml(interp.ascii) : interp.ascii) +
+ '';
+
+ div.style.cssText = 'font-size:11px; padding: 4px 0; border-bottom: 1px solid #1a1a1a; line-height:1.6;';
+
+ // Apply current filter
+ if (state.filterQuery) {
+ var q = state.filterQuery;
+ if (!interp.hex.includes(q) && !interp.ascii.toLowerCase().includes(q)) {
+ div.style.display = 'none';
+ } else {
+ div.style.background = 'rgba(0,255,136,0.05)';
+ }
+ }
+
+ panel.appendChild(div);
+ if (typeof autoScroll === 'undefined' || autoScroll) {
+ panel.scrollTop = panel.scrollHeight;
+ }
+ }
+
+ // ---- Bit order toggle ----
+
+ function setBitOrder(order) {
+ state.bitOrder = order;
+
+ // Update button states
+ var msbBtn = document.getElementById('ookBitMSB');
+ var lsbBtn = document.getElementById('ookBitLSB');
+ if (msbBtn) msbBtn.style.background = order === 'msb' ? 'var(--accent)' : '';
+ if (msbBtn) msbBtn.style.color = order === 'msb' ? '#000' : '';
+ if (lsbBtn) lsbBtn.style.background = order === 'lsb' ? 'var(--accent)' : '';
+ if (lsbBtn) lsbBtn.style.color = order === 'lsb' ? '#000' : '';
+
+ // Re-render all stored frames
+ var panel = document.getElementById('ookOutput');
+ if (!panel) return;
+ panel.innerHTML = '';
+ state.frames.forEach(function (msg) {
+ appendFrameEntry(msg, order);
+ });
+ }
+
+ // ---- Output panel ----
+
+ function clearOutput() {
+ var panel = document.getElementById('ookOutput');
+ if (panel) panel.innerHTML = '';
+ state.frames = [];
+ state.frameCount = 0;
+ var countEl = document.getElementById('ookFrameCount');
+ if (countEl) countEl.textContent = '0 frames';
+ var barEl = document.getElementById('ookStatusBarFrames');
+ if (barEl) barEl.textContent = '0 frames';
+
+ // Hide output panel if not currently running (no frames to show)
+ if (!state.running) {
+ var outputPanel = document.getElementById('ookOutputPanel');
+ if (outputPanel) outputPanel.style.display = 'none';
+ }
+ }
+
+ function exportLog() {
+ var lines = ['timestamp,bit_count,rssi_db,hex_msb,ascii_msb,inverted'];
+ state.frames.forEach(function (msg) {
+ var interp = interpretBits(msg.bits, 'msb');
+ lines.push([
+ msg.timestamp,
+ msg.bit_count,
+ msg.rssi !== undefined && msg.rssi !== null ? msg.rssi : '',
+ interp.hex,
+ '"' + interp.ascii.replace(/"/g, '""') + '"',
+ msg.inverted,
+ ].join(','));
+ });
+ var blob = new Blob([lines.join('\n')], { type: 'text/csv' });
+ var url = URL.createObjectURL(blob);
+ var a = document.createElement('a');
+ a.href = url;
+ a.download = 'ook_frames.csv';
+ a.click();
+ URL.revokeObjectURL(url);
+ }
+
+ function exportJSON() {
+ if (state.frames.length === 0) { alert('No frames to export'); return; }
+ var out = state.frames.map(function (msg) {
+ var interp = interpretBits(msg.bits, state.bitOrder);
+ return {
+ timestamp: msg.timestamp,
+ bit_count: msg.bit_count,
+ rssi: (msg.rssi !== undefined && msg.rssi !== null) ? msg.rssi : null,
+ hex: interp.hex,
+ ascii: interp.ascii,
+ inverted: msg.inverted,
+ bits: msg.bits,
+ };
+ });
+ var blob = new Blob([JSON.stringify(out, null, 2)], { type: 'application/json' });
+ var url = URL.createObjectURL(blob);
+ var a = document.createElement('a');
+ a.href = url;
+ a.download = 'ook_frames.json';
+ a.click();
+ URL.revokeObjectURL(url);
+ }
+
+ // ---- Command display ----
+
+ function showCommand(cmd) {
+ state.command = cmd;
+ var display = document.getElementById('ookCommandDisplay');
+ var text = document.getElementById('ookCommandText');
+ if (display && text && cmd) {
+ text.textContent = cmd;
+ display.style.display = 'block';
+ }
+ }
+
+ function copyCommand() {
+ if (state.command && navigator.clipboard) {
+ navigator.clipboard.writeText(state.command);
+ }
+ }
+
+ // ---- Modulation selector ----
+
+ function setEncoding(enc) {
+ document.getElementById('ookEncoding').value = enc;
+
+ // Update button highlight
+ ['pwm', 'ppm', 'manchester'].forEach(function (e) {
+ var btn = document.getElementById('ookEnc_' + e);
+ if (!btn) return;
+ if (e === enc) {
+ btn.style.background = 'var(--accent)';
+ btn.style.color = '#000';
+ } else {
+ btn.style.background = '';
+ btn.style.color = '';
+ }
+ });
+
+ // Update timing hint
+ var hints = {
+ pwm: 'Short pulse = 0, long pulse = 1. Most common for ISM OOK.',
+ ppm: 'Short gap = 0, long gap = 1. Pulse position encoding.',
+ manchester: 'Rising edge = 1, falling edge = 0. Self-clocking.',
+ };
+ var hint = document.getElementById('ookEncodingHint');
+ if (hint) hint.textContent = hints[enc] || '';
+ }
+
+ function setFreq(mhz) {
+ var el = document.getElementById('ookFrequency');
+ if (el) el.value = mhz;
+ }
+
+ // ---- Frequency presets (localStorage) ----
+
+ function loadPresets() {
+ var saved = localStorage.getItem('ookFreqPresets');
+ return saved ? JSON.parse(saved) : DEFAULT_FREQ_PRESETS.slice();
+ }
+
+ function savePresets(presets) {
+ localStorage.setItem('ookFreqPresets', JSON.stringify(presets));
+ }
+
+ function renderPresets() {
+ var container = document.getElementById('ookPresetButtons');
+ if (!container) return;
+ var presets = loadPresets();
+ container.innerHTML = presets.map(function (freq) {
+ return '';
+ }).join('');
+ }
+
+ function addPreset() {
+ var input = document.getElementById('ookNewPresetFreq');
+ if (!input) return;
+ var freq = input.value.trim();
+ if (!freq || isNaN(parseFloat(freq))) {
+ alert('Enter a valid frequency (MHz)');
+ return;
+ }
+ var presets = loadPresets();
+ if (presets.indexOf(freq) === -1) {
+ presets.push(freq);
+ savePresets(presets);
+ renderPresets();
+ }
+ input.value = '';
+ }
+
+ function removePreset(freq) {
+ if (!confirm('Remove preset ' + freq + ' MHz?')) return;
+ var presets = loadPresets().filter(function (p) { return p !== freq; });
+ savePresets(presets);
+ renderPresets();
+ }
+
+ function resetPresets() {
+ if (!confirm('Reset to default presets?')) return;
+ savePresets(DEFAULT_FREQ_PRESETS.slice());
+ renderPresets();
+ }
+
+ /**
+ * Apply a timing preset — fills all six pulse timing fields at once.
+ * @param {number} s Short pulse (µs)
+ * @param {number} l Long pulse (µs)
+ * @param {number} r Reset/gap limit (µs)
+ * @param {number} g Gap limit (µs)
+ * @param {number} t Tolerance (µs)
+ * @param {number} b Min bits
+ */
+ function setTiming(s, l, r, g, t, b) {
+ var fields = {
+ ookShortPulse: s,
+ ookLongPulse: l,
+ ookResetLimit: r,
+ ookGapLimit: g,
+ ookTolerance: t,
+ ookMinBits: b,
+ };
+ Object.keys(fields).forEach(function (id) {
+ var el = document.getElementById(id);
+ if (el) el.value = fields[id];
+ });
+ }
+
+ // ---- Auto bit-order suggestion ----
+
+ /**
+ * Count printable chars for MSB and LSB across all stored frames,
+ * then switch to whichever produces more readable output.
+ */
+ function suggestBitOrder() {
+ if (state.frames.length === 0) return;
+ var msbCount = 0, lsbCount = 0;
+ state.frames.forEach(function (msg) {
+ msbCount += interpretBits(msg.bits, 'msb').printable.length;
+ lsbCount += interpretBits(msg.bits, 'lsb').printable.length;
+ });
+ var best = msbCount >= lsbCount ? 'msb' : 'lsb';
+ setBitOrder(best);
+ var label = document.getElementById('ookSuggestLabel');
+ if (label) {
+ var winner = best === 'msb' ? msbCount : lsbCount;
+ label.textContent = best.toUpperCase() + ' (' + winner + ' printable)';
+ label.style.color = '#00ff88';
+ }
+ }
+
+ // ---- Pattern search / filter ----
+
+ /**
+ * Show only frames whose hex or ASCII interpretation contains the query.
+ * Clears filter when query is empty.
+ * @param {string} query
+ */
+ function filterFrames(query) {
+ state.filterQuery = query.toLowerCase().trim();
+ var q = state.filterQuery;
+ var panel = document.getElementById('ookOutput');
+ if (!panel) return;
+ var divs = panel.querySelectorAll('.ook-frame');
+ divs.forEach(function (div) {
+ if (!q) {
+ div.style.display = '';
+ div.style.background = '';
+ return;
+ }
+ var bits = div.dataset.bits || '';
+ var interp = interpretBits(bits, state.bitOrder);
+ var match = interp.hex.includes(q) || interp.ascii.toLowerCase().includes(q);
+ div.style.display = match ? '' : 'none';
+ div.style.background = match ? 'rgba(0,255,136,0.05)' : '';
+ });
+ }
+
+ // ---- UI ----
+
+ function updateUI(running) {
+ var startBtn = document.getElementById('ookStartBtn');
+ var stopBtn = document.getElementById('ookStopBtn');
+ var indicator = document.getElementById('ookStatusIndicator');
+ var statusText = document.getElementById('ookStatusText');
+
+ if (startBtn) startBtn.style.display = running ? 'none' : '';
+ if (stopBtn) stopBtn.style.display = running ? '' : 'none';
+ if (indicator) indicator.style.background = running ? '#00ff88' : 'var(--text-dim)';
+ if (statusText) statusText.textContent = running ? 'Listening' : 'Standby';
+
+ // Keep output panel visible if there are frames to review (even after stopping)
+ var outputPanel = document.getElementById('ookOutputPanel');
+ if (outputPanel) {
+ var showPanel = running || state.frames.length > 0;
+ outputPanel.style.display = showPanel ? 'flex' : 'none';
+ }
+ }
+
+ // ---- Public API ----
+
+ return {
+ init: init,
+ destroy: destroy,
+ start: start,
+ stop: stop,
+ setFreq: setFreq,
+ addPreset: addPreset,
+ removePreset: removePreset,
+ resetPresets: resetPresets,
+ renderPresets: renderPresets,
+ setEncoding: setEncoding,
+ setTiming: setTiming,
+ setBitOrder: setBitOrder,
+ suggestBitOrder: suggestBitOrder,
+ filterFrames: filterFrames,
+ clearOutput: clearOutput,
+ exportLog: exportLog,
+ exportJSON: exportJSON,
+ copyCommand: copyCommand,
+ };
+})();
diff --git a/templates/index.html b/templates/index.html
index 0a84bbc..8538606 100644
--- a/templates/index.html
+++ b/templates/index.html
@@ -287,6 +287,10 @@
Morse
+
@@ -697,6 +701,8 @@
{% include 'partials/modes/morse.html' %}
+ {% include 'partials/modes/ook.html' %}
+
{% include 'partials/modes/space-weather.html' %}
{% include 'partials/modes/tscm.html' %}
@@ -3285,6 +3291,36 @@
+
+