-
Notifications
You must be signed in to change notification settings - Fork 112
/
iridium-parser.py
executable file
·541 lines (480 loc) · 17.6 KB
/
iridium-parser.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
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# vim: set ts=4 sw=4 tw=0 et pm=:
import os
import sys
import re
import fileinput
import datetime
import time
import argparse
import collections.abc
import bitsparser
parser = argparse.ArgumentParser(formatter_class=lambda prog: argparse.HelpFormatter(prog, max_help_position=27))
def parse_comma(arg):
return arg.split(',')
def parse_filter(arg):
linefilter = {'type': arg, 'attr': None, 'check': None}
if ',' in linefilter['type']:
(linefilter['type'], linefilter['check']) = linefilter['type'].split(',', 2)
if '+' in linefilter['type']:
(linefilter['type'], linefilter['attr']) = linefilter['type'].split('+')
return linefilter
class NegateAction(argparse.Action):
def __call__(self, parser, ns, values, option):
setattr(ns, self.dest, option[2:4] != 'no')
filters = parser.add_argument_group('filters')
filters.add_argument("-g", "--good", action="store_const", const=90, dest='min_confidence',
help="drop if confidence < 90")
filters.add_argument("--confidence", type=int, dest="min_confidence", metavar='MIN',
help="drop if confidence < %(metavar)s")
filters.add_argument("-p", "--perfect", action="store_true",
help="drop lines which only parsed after applying error correction")
filters.add_argument("-e", "--errorfree", action="store_true",
help="drop lines that could not be parsed")
filters.add_argument("--filter", type=parse_filter, default='All', dest='linefilter', metavar='FILTER',
help="filter output by class and/or attribute")
parser.add_argument("-v", "--verbose", action="store_true",
help="increase output verbosity")
parser.add_argument("--uw-ec", action="store_true", dest='uwec',
help="enable error correction on unique word")
parser.add_argument("--harder", action="store_true",
help="try harder to parse input")
parser.add_argument("--disable-freqclass", action="store_false", dest='freqclass',
help="turn frequency classificiation off")
parser.add_argument("-s", "--satclass", action="store_true", dest='dosatclass',
help="enable sat classification")
parser.add_argument("--plot", type=parse_comma, dest='plotargs', default='time,frequency', metavar='ARGS'
)
parser.add_argument("-o", "--output", metavar='MODE', choices=['json', 'sigmf', 'zmq', 'line', 'plot', 'err', 'sat', 'file'],
help="output mode")
parser.add_argument("--errorfile", metavar='FILE',
help="divert unparsable lines to separate file")
parser.add_argument("--errorstats", action='store_const', const={},
help="output statistics about parse errors")
parser.add_argument("--forcetype", metavar='TYPE'
)
parser.add_argument("--channelize", action="store_true"
)
parser.add_argument("--format", type=parse_comma, dest='ofmt'
)
parser.add_argument("--sigmf-annotate", dest='sigmffile'
)
parser.add_argument("--stats", "--no-stats", action=NegateAction, dest="do_stats", nargs=0,
help='enable incremental statistics on stderr')
parser.add_argument("remainder", nargs='*',
help=argparse.SUPPRESS)
args = parser.parse_args()
# sanity check
if args.perfect and (args.harder or args.uwec):
print("WARN: --perfect contradicts --harder or --uw-ec", file=sys.stderr)
# push options into bitsparser
bitsparser.set_opts(args)
# forced settings
if args.sigmffile:
args.output="sigmf"
# try to be "intelligent" about defaults
if args.output is None:
if len(args.remainder) == 0:
args.output = 'line'
elif sys.stdout.isatty():
args.output = 'file'
elif sys.stderr.isatty():
args.output = 'line'
else:
args.output = 'file'
if args.do_stats is None:
args.do_stats = True
if not sys.stderr.isatty():
args.do_stats = False
elif args.output == 'line':
args.do_stats = False
# optional dependencies
if args.output == "json":
import json
if args.output == "sigmf":
import json
if args.output == "zmq":
args.errorfree=True
if args.do_stats:
import curses
statsfile=sys.stderr
curses.setupterm(fd=statsfile.fileno())
el=curses.tigetstr('el')
cr=curses.tigetstr('cr') or b'\r'
nl=curses.tigetstr('nl') or b'\n'
if el is None:
eol= (nl).decode("ascii")
eolnl=(nl).decode("ascii")
else:
eol= (el+cr).decode("ascii")
eolnl=(el+nl).decode("ascii")
stats={}
sigmfjson=None
sigmfout=None
if args.sigmffile is not None:
try:
sigmfjson=json.load(open(args.sigmffile,'r'))
sigmfjson.pop('annotations', None)
except FileNotFoundError:
print("WARN: no sigmf-meta source file. Using (probably-wrong) hardcoded defaults", file=sys.stderr)
sigmfjson={
"global": {
"core:datatype": "cf32_le",
"core:sample_rate": 10e6,
"core:version": "0.0.1",
"core:description": "iridium-extractor auto-generated metafile",
},
"captures": [
{"core:sample_start": 0, "core:frequency": 1622000000}
]
}
sigmfout=open(args.sigmffile+'.tmp','w')
print("{", file=sigmfout)
for key in sigmfjson:
print('"%s":'%key, file=sigmfout)
json.dump(sigmfjson[key],sigmfout)
print(',', file=sigmfout)
print('"%s": ['%"annotations", file=sigmfout)
if sigmfout is None:
sigmfout=sys.stdout
if args.dosatclass is True:
import satclass
satclass.init()
if (args.linefilter['type'] != 'All') and args.harder:
raise Exception("--harder and --filter (except type=Any) can't be use at the same time")
if args.errorfile is not None:
args.errorfile=open(args.errorfile,"w")
if args.output == "plot":
import matplotlib.pyplot as plt
import matplotlib.ticker as ticker
xl=[]
yl=[]
cl=[]
sl=[]
poller = None
if args.output == "zmq":
import zmq
url = "tcp://127.0.0.1:4223"
context = zmq.Context()
socket = context.socket(zmq.XPUB)
if args.do_stats:
socket.setsockopt(zmq.XPUB_VERBOSE, True)
stats['clients']=0
poller = zmq.Poller()
poller.register(socket, zmq.POLLIN)
socket.bind(url)
def zmq_xpub(poller, stats):
try:
while len(rv:=poller.poll(0))>0:
event = rv[0][0].recv()
# Event is one byte 0=unsub or 1=sub, followed by topic
if event[0] == 1:
log("new subscriber for", event[1:])
stats['clients'] += 1
elif event[0] == 0:
log("unsubscribed",event[1:])
stats['clients'] -= 1
except zmq.error.ContextTerminated:
pass
def log(*msg):
s=time.strftime("%Y-%m-%d %H:%M:%S",time.localtime())
print("%s:"%s,*msg, end=eolnl, file=statsfile)
def stats_thread(stats):
ltime=time.time()
lline=0
stime=stats['start']
stop=stats['stop']
once=True
while once or not stop.wait(timeout=1.0):
once=False
now=time.time()
nowl=stats['in']
td=now-stime
s=time.strftime("%Y-%m-%d %H:%M:%S",time.localtime())
ts="%02d:%02d:%02d"%(td/60/60,td/60%60,td%60)
hdr="%s [%s]"%(s, ts)
progress=""
if 'files' in stats and stats['files']>1:
progress+="%d/%d:"%(stats['fileno'],stats['files'])
if 'size' in stats and stats['size']>0:
try:
pos=os.lseek(fileinput.fileno(),0,os.SEEK_CUR)
except OSError:
pos=0
progress+="%4.1f%%"%(100*pos/stats['size'])
eta=stats['size']/pos*td - td
te="%02d:%02d"%(eta/60%60,eta%60)
if eta>60*60:
te="%02d:"%(eta/60/60)+te
progress+="/"+te
if progress:
hdr+=" [%s]"%progress
else:
hdr+=" l:%6d"%stats['in']
if args.output=='zmq':
hdr+=" %2d clients"%stats['clients']
print (hdr, "[%.1f l/s] filtered:%3d%%"%((nowl-lline)/(now-ltime),100*(1-stats['out']/(stats['in'] or 1))), end=eol, file=statsfile)
ltime=now
lline=nowl
print (hdr, "[%.1f l/s] drop:%3d%%"%((nowl)/(now-stime),100*(1-stats['out']/(stats['in'] or 1))), end=eolnl, file=statsfile)
selected=[]
def openhook(filename, mode):
base, ext = os.path.splitext(os.path.basename(filename))
if base.endswith('.bits'):
base = os.path.splitext(base)[0]
if args.output == 'file':
sys.stdout = open(f'{base}.parsed', 'wt')
if ext == '.gz':
import gzip
return gzip.open(filename, 'rt')
elif ext == '.bz2':
import bz2
return bz2.open(filename, 'rt')
elif ext == '.xz':
import lzma
return lzma.open(filename, 'rt')
else:
return open(filename, 'rt')
def do_input():
if True:
if args.do_stats:
stats['files']=len(args.remainder)
stats['fileno']=0
for line in fileinput.input(args.remainder, openhook=openhook):
if args.do_stats:
if fileinput.isfirstline():
stats['fileno']+=1
stat=os.fstat(fileinput.fileno())
stats['size']=stat.st_size
stats['in']+=1
if poller is not None and len(poller.poll(0))>0:
zmq_xpub(poller, stats)
if args.min_confidence is not None:
q=bitsparser.Message(line.strip())
try:
if q.confidence<args.min_confidence:
continue
except AttributeError:
continue
perline(q.upgrade())
else:
perline(bitsparser.Message(line.strip()).upgrade())
else:
print("Unknown input mode.", file=sys.stderr)
exit(1)
def perline(q):
if args.dosatclass is True:
sat=satclass.classify(q.frequency,q.globaltime)
q.satno=int(sat.name)
if q.error:
if isinstance(args.errorstats, collections.abc.Mapping):
msg=q.error_msg[0]
if msg in args.errorstats:
args.errorstats[msg]+=1
else:
args.errorstats[msg]=1
if args.errorfile is not None:
print(q.line+" ERR:"+", ".join(q.error_msg), file=args.errorfile)
return
if args.perfect:
if q.error or ("fixederrs" in q.__dict__ and q.fixederrs>0):
return
q.descramble_extra=""
if args.errorfree:
if q.error:
return
q.descramble_extra=""
# if linefilter['type']!="All" and type(q).__name__ != linefilter['type']:
if args.linefilter['type']!="All" and not issubclass(type(q),globals()['bitsparser'].__dict__[args.linefilter['type']]):
return
if args.linefilter['attr'] and args.linefilter['attr'] not in q.__dict__:
return
if args.linefilter['check'] and not eval(args.linefilter['check']):
return
if args.do_stats:
stats["out"]+=1
if args.output == "err":
if q.error:
selected.append(q)
elif args.output == "sat":
if not q.error:
selected.append(q)
elif args.output == "plot":
selected.append(q)
elif args.output == "line" or args.output == "file":
if q.error:
print(q.pretty()+" ERR:"+", ".join(q.error_msg))
else:
if not args.ofmt:
print(q.pretty())
else:
print(" ".join([str(q.__dict__[x]) for x in args.ofmt]))
elif args.output == "zmq":
socket.send_string(q.pretty())
elif args.output == "json":
if q.error: return
for attr in ["parse_error", "error_msg", "descrambled", "bitstream_bch", "bitstream_raw", "rs6c", "rs6m", "rs8c", "rs8m", "idata", "payload_f", "payload_r", "descramble_extra", "swapped", "da_ta", "vdata", "header", "freq_print"]:
if attr in q.__dict__:
del q.__dict__[attr]
q.type = type(q).__name__
try:
print(json.dumps(q.__dict__))
except Exception as e:
print("Couldn't serialize: ", q.__dict__, file=sys.stderr)
raise e
elif args.output == "sigmf":
if q.parse_error:
return
try:
sr=sigmfjson['global']["core:sample_rate"]
center=sigmfjson['captures'][0]["core:frequency"]
except TypeError:
print("Failed to get sample_rate or frequency from sigmf.", file=sys.stderr)
sr=10e7
center=1622000000
SYMBOLS_PER_SECOND = 25000
if q.error:
desc=q.error_msg[0]
elif "msgtype" in q.__dict__:
desc=""
if q.uplink:
desc+="UL"
else:
desc+="DL"
desc+="_"+q.msgtype
else:
desc=type(q).__name__
print(json.dumps({
"core:comment": "Frame #%d: "%int(q.id)+type(q).__name__,
"core:description": desc,
"core:freq_lower_edge": q.frequency-20e3,
"core:freq_upper_edge": q.frequency+20e3,
"core:sample_count": int(q.symbols * (sr/SYMBOLS_PER_SECOND)),
"core:sample_start": int(q.timestamp * (sr/1000))
}), end=",\n", file=sigmfout)
else:
print("Unknown output mode.", file=sys.stderr)
exit(1)
def bitdiff(a, b):
return sum(x != y for x, y in zip(a, b))
if args.do_stats:
from threading import Thread, Event
stats['start']=time.time()
stats['in']=0
stats['out']=0
stats['stop']= Event()
sthread = Thread(target = stats_thread, args = [stats], daemon= True, name= 'stats')
sthread.start()
try:
do_input()
except KeyboardInterrupt:
pass
except BrokenPipeError as e:
print(e, file=sys.stderr, end=eolnl if args.do_stats else None)
if args.do_stats:
stats['stop'].set()
sthread.join()
if args.output=='zmq':
socket.close()
context.term()
if args.sigmffile is not None:
print("{}]}", file=sigmfout)
sigmfout.close()
if os.path.isfile(args.sigmffile):
os.rename(args.sigmffile, args.sigmffile+".bak")
os.rename(args.sigmffile+".tmp", args.sigmffile)
if args.output == "sat":
print("SATs:")
sats=[]
for m in selected:
f=m.frequency
t=m.globalns/1e9
no=-1
for s in range(len(sats)):
fdiff=(sats[s][0]-f)//(t+.000001-sats[s][1])
if f<sats[s][0] and fdiff<250:
no=s
if no>-1:
m.fdiff=(sats[no][0]-f)//(t-sats[no][1])
sats[no][0]=f
sats[no][1]=t
else:
no=len(sats)
sats.append([f,t])
m.fdiff=0
m.satno=no
for s in range(len(sats)):
print("Sat: %03d"%s)
for m in selected:
if m.satno == s: print(m.pretty())
if isinstance(args.errorstats, collections.abc.Mapping):
total=0
for (msg,count) in sorted(args.errorstats.items()):
total+=count
print("%7d: %s"%(count, msg), file=sys.stderr)
print("%7d: %s"%(total, "Total"), file=sys.stderr)
if args.output == "err":
print("### ")
print("### Error listing:")
print("### ")
sort={}
for m in selected:
msg=m.error_msg[0]
if msg in sort:
sort[msg].append(m)
else:
sort[msg]=[m]
for msg in sort:
print(msg+":")
for m in sort[msg]:
print("- "+m.pretty())
def plotsats(plt, _s, _e):
for ts in range(int(_s),int(_e),10):
for v in satclass.timelist(ts):
plt.scatter( x=v[0], y=v[1], c=int(v[2]), alpha=0.3, edgecolor="none", vmin=10, vmax=90)
if args.output == "plot":
name="%s over %s"%(args.plotargs[1],args.plotargs[0])
if len(args.plotargs)>2:
name+=" with %s"%args.plotargs[2]
filter=""
if len(args.linefilter)>0 and args.linefilter['type']!="All":
filter+="type==%s"%args.linefilter['type']
name=("%s "%args.linefilter['type'])+name
if args.linefilter['attr']:
filter+=" containing %s"%args.linefilter['attr']
name+=" having %s"%args.linefilter['attr']
if args.linefilter['check']:
x=args.linefilter['check']
if x.startswith("q."):
x=x[2:]
filter+=" and %s"%x
name+=" where %s"%x
plt.suptitle(filter)
plt.xlabel(args.plotargs[0])
plt.ylabel(args.plotargs[1])
if args.plotargs[0]=="time":
args.plotargs[0]="globalns"
def format_date(x, _pos=None):
return datetime.datetime.fromtimestamp(x/10**9).strftime('%Y-%m-%d %H:%M:%S')
plt.gca().xaxis.set_major_formatter(ticker.FuncFormatter(format_date))
plt.gcf().autofmt_xdate()
if False:
plotsats(plt,selected[0].globaltime,selected[-1].globaltime)
for m in selected:
xl.append(m.__dict__[args.plotargs[0]])
yl.append(m.__dict__[args.plotargs[1]])
if len(args.plotargs)>2:
cl.append(m.__dict__[args.plotargs[2]])
if len(args.plotargs)>2:
plt.scatter(x = xl, y= yl, c= cl)
plt.colorbar().set_label(args.plotargs[2])
else:
plt.scatter(x = xl, y= yl)
mng = plt.get_current_fig_manager()
mng.resize(*mng.window.maxsize())
fname = re.sub(r'[/ ]', '_', name)
c = plt.gcf().canvas
c.get_default_filename = lambda: '%s.%s' % (fname, c.get_default_filetype())
plt.savefig(fname+".png")
plt.show()