forked from dev-zzo/kiwiclient
-
Notifications
You must be signed in to change notification settings - Fork 35
/
kiwiwfrecorder.py
executable file
·271 lines (238 loc) · 10.2 KB
/
kiwiwfrecorder.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
#!/usr/bin/env python
## -*- python -*-
## to be merged into kiwirecorder.py
import gc, logging, os, time, threading, os
import numpy as np
from traceback import print_exc
from kiwi import KiwiSDRStream, KiwiWorker
from optparse import OptionParser
try:
from Queue import Queue,Empty ## python2
except ImportError:
from queue import Queue,Empty ## python3
class KiwiSoundRecorder(KiwiSDRStream):
def __init__(self, options, q):
super(KiwiSoundRecorder, self).__init__()
self._options = options
self._queue = q
self._type = 'SND'
self._freq = options.frequency
self._num_skip = 2 ## skip data at the start of the WS stream with seq < 2
def _setup_rx_params(self):
self.set_name(self._options.user)
mod = 'iq'
lp_cut = -1000
hp_cut = +1000
self.set_mod(mod, lp_cut, hp_cut, self._freq)
self.set_agc(on=True)
def _process_iq_samples(self, seq, samples, rssi, gps):
if self._num_skip != 0:
if seq < 2:
print('IQ: skipping seq=', seq)
self._num_skip -= 1
return
else:
self._num_skip = 0
gps_time = gps['gpssec'] + 1e-9*gps['gpsnsec']
self._queue.put([seq, gps_time])
class KiwiWaterfallRecorder(KiwiSDRStream):
def __init__(self, options, q):
super(KiwiWaterfallRecorder, self).__init__()
self._options = options
self._queue = q
self._type = 'W/F'
self._freq = options.frequency
self._zoom = options.zoom
self._freq_bins = None
self._num_channels = 2
self._num_skip = 2 ## skip data at the start of the WS stream with seq < 2
def _setup_rx_params(self):
self._set_zoom_cf(self._zoom, self._freq)
self._set_maxdb_mindb(-10, -110) # needed, but values don't matter
self._freq_bins = self._freq + (0.5+np.arange(self.WF_BINS))/self.WF_BINS * self.zoom_to_span(self._options.zoom)
#self._set_wf_comp(True)
self._set_wf_comp(False)
self._set_wf_speed(1) # 1 Hz update
self.set_name(self._options.user)
def _process_waterfall_samples(self, seq, samples):
if self._num_skip != 0:
if seq < 2:
self._num_skip -= 1
return
else:
self._num_skip = 0
logging.info('process_wf_samples: seq= %5d %s' % (seq, samples))
self._queue.put({'seq': seq,
'freq_bins': self._freq_bins,
'wf_samples': samples})
class Consumer(threading.Thread):
""" Combines WF data with precise GNSS timestamps from the SND stream """
def __init__(self, group=None, target=None, name=None, args=(), kwargs=None):
super(Consumer, self).__init__(group=group, target=target, name=name)
self._options, self._snd_queue, self._wf_queue, self._run_event = args
self._event = threading.Event()
self._store = dict()
self._wf_data = None
self._start_ts = None
def run(self):
while self._run_event.is_set():
try:
self.proc()
except Exception:
print_exc()
break
self._run_event.clear() # tell all other threads to stop
def proc(self):
if self._wf_data is None:
try:
self._wf_data = self._wf_queue.get(timeout=1)
except Empty:
return
self.update_store()
if self._wf_data['seq'] in self._store:
now = time.gmtime()
if self._start_ts is None:
self._start_ts = now
with open(self._get_output_filename(), 'wb') as f:
np.save(f, self._wf_data['freq_bins'])
## GNSS timestamp for seq obtained from the SND WS stream
ts = self._store.pop(self._wf_data['seq'])
logging.info('found seq %d %f %d (%d|%d,%d)'
% (self._wf_data['seq'], ts, len(self._wf_data['wf_samples']),
len(self._store), self._wf_queue.qsize(), self._snd_queue.qsize()))
with open(self._get_output_filename(), 'ab') as f:
np.save(f, np.array((ts, self._wf_data['wf_samples']),
dtype=[('ts', np.float64), ('wf', ('B', 1024))]))
self.prune_store(ts)
self._wf_data = None
else:
time.sleep(0.1)
def _get_output_filename(self):
station = '' if self._options.station is None else '_'+ self._options.station
return '%s_%d-%d%s.npy' % (time.strftime('%Y%m%dT%H%M%SZ', self._start_ts),
round(self._wf_data['freq_bins'][ 0] * 1000),
round(self._wf_data['freq_bins'][-1] * 1000),
station)
def update_store(self):
""" put all available timestamps from the SND stream into the store """
while True:
try:
seq,ts = self._snd_queue.get(timeout=0.01)
self._store[seq] = ts
except Empty:
break
except Exception:
print_exc()
break
def prune_store(self, ts):
""" remove all timestamps before 'ts' """
for x in list(self._store.items()):
k,v = x
if v < ts:
self._store.pop(k)
def join_threads(threads):
[t._event.set() for t in threads]
[t.join() for t in threading.enumerate() if t is not threading.current_thread()]
def main():
parser = OptionParser()
parser.add_option('-s', '--server-host',
dest='server_host', type='string',
default='localhost', help='Server host')
parser.add_option('-p', '--server-port',
dest='server_port', type='string',
default="8073", help='Server port, default 8073')
parser.add_option('--pw', '--password',
dest='password', type='string', default='',
help='Kiwi login password')
parser.add_option('--connect-timeout', '--connect_timeout',
dest='connect_timeout',
type='int', default=15,
help='Retry timeout(sec) connecting to host')
parser.add_option('--connect-retries', '--connect_retries',
dest='connect_retries',
type='int', default=0,
help='Number of retries when connecting to host (retries forever by default)')
parser.add_option('--busy-timeout', '--busy_timeout',
dest='busy_timeout',
type='int', default=15,
help='Retry timeout(sec) when host is busy')
parser.add_option('--busy-retries', '--busy_retries',
dest='busy_retries',
type='int', default=0,
help='Number of retries when host is busy (retries forever by default)')
parser.add_option('-k', '--socket-timeout', '--socket_timeout',
dest='socket_timeout', type='int', default=10,
help='Timeout(sec) for sockets')
parser.add_option('--tlimit-pw', '--tlimit-password',
dest='tlimit_password', type='string', default='',
help='Connect time limit exemption password (if required)')
parser.add_option('-u', '--user',
dest='user', type='string', default='kiwirecorder.py',
help='Kiwi connection user name')
parser.add_option('-f', '--freq',
dest='frequency',
type='float', default=1000,
help='Frequency to tune to, in kHz')
parser.add_option('-z', '--zoom',
dest='zoom', type='int', default=0,
help='Zoom level 0-14')
parser.add_option('--station',
dest='station',
type='string', default=None,
help='Station ID to be appended to filename',)
parser.add_option('--log', '--log-level', '--log_level', type='choice',
dest='log_level', default='warn',
choices=['debug', 'info', 'warn', 'error', 'critical'],
help='Log level: debug|info|warn(default)|error|critical')
(opt, unused_args) = parser.parse_args()
## clean up OptionParser which has cyclic references
parser.destroy()
opt.rigctl_enabled = False
opt.is_kiwi_tdoa = False
opt.tlimit = None
opt.no_api = True
opt.nolocal = False
opt.raw = False
opt.S_meter = -1
opt.ADC_OV = None
opt.freq_pbc = None
opt.wf_cal = None
opt.wideband = False
FORMAT = '%(asctime)-15s pid %(process)5d %(message)s'
logging.basicConfig(level=logging.getLevelName(opt.log_level.upper()), format=FORMAT)
if opt.log_level.upper() == 'DEBUG':
gc.set_debug(gc.DEBUG_SAVEALL | gc.DEBUG_LEAK | gc.DEBUG_UNCOLLECTABLE)
run_event = threading.Event()
run_event.set()
snd_queue,wf_queue = [Queue(),Queue()]
snd_recorder = KiwiWorker(args=(KiwiSoundRecorder (opt, snd_queue), opt, run_event))
wf_recorder = KiwiWorker(args=(KiwiWaterfallRecorder(opt, wf_queue), opt, run_event))
consumer = Consumer(args=(opt,snd_queue,wf_queue,run_event))
threads = [snd_recorder, wf_recorder, consumer]
try:
opt.start_time = time.time()
opt.ws_timestamp = int(time.time() + os.getpid()) & 0xffffffff
opt.idx = 0
snd_recorder.start()
opt.start_time = time.time()
opt.ws_timestamp = int(time.time() + os.getpid()+1) & 0xffffffff
opt.idx = 0
wf_recorder.start()
consumer.start()
while run_event.is_set():
time.sleep(.5)
except KeyboardInterrupt:
run_event.clear()
join_threads(threads)
print("KeyboardInterrupt: threads successfully closed")
except Exception:
print_exc()
run_event.clear()
join_threads(threads)
print("Exception: threads successfully closed")
logging.debug('gc %s' % gc.garbage)
if __name__ == '__main__':
#import faulthandler
#faulthandler.enable()
main()
# EOF