forked from luxonis/depthai
-
Notifications
You must be signed in to change notification settings - Fork 0
/
depthai_demo.py
executable file
·1008 lines (885 loc) · 47.8 KB
/
depthai_demo.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
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python3
import sys
if sys.version_info[0] < 3:
raise Exception("Must be using Python 3")
import argparse
import json
import os
import time
import traceback
from functools import cmp_to_key
from itertools import cycle
from pathlib import Path
import platform
if platform.machine() == 'aarch64': # Jetson
os.environ['OPENBLAS_CORETYPE'] = "ARMV8"
sys.path.append(str(Path(__file__).parent.absolute()))
sys.path.append(str((Path(__file__).parent / "depthai_sdk" / "src").absolute()))
from depthai_helpers.app_manager import App
if __name__ == "__main__":
if '--app' in sys.argv:
try:
app = App(appName=sys.argv[sys.argv.index('--app') + 1])
app.createVenv()
app.runApp()
sys.exit(0)
except KeyboardInterrupt:
sys.exit(0)
try:
import cv2
import depthai as dai
import numpy as np
except Exception as ex:
print("Third party libraries failed to import: {}".format(ex))
print("Run \"python3 install_requirements.py\" to install dependencies or visit our installation page for more details - https://docs.luxonis.com/projects/api/en/latest/install/")
sys.exit(42)
from log_system_information import make_sys_report
from depthai_helpers.supervisor import Supervisor
from depthai_helpers.arg_manager import parseArgs
from depthai_helpers.config_manager import ConfigManager, DEPTHAI_ZOO, DEPTHAI_VIDEOS
from depthai_helpers.metrics import MetricManager
from depthai_helpers.version_check import checkRequirementsVersion
from depthai_sdk import FPSHandler, loadModule, getDeviceInfo, downloadYTVideo, Previews, createBlankFrame
from depthai_sdk.managers import NNetManager, SyncedPreviewManager, PreviewManager, PipelineManager, EncodingManager, BlobManager
args = parseArgs()
if args.noSupervisor and args.guiType == "qt":
if "QT_QPA_PLATFORM_PLUGIN_PATH" in os.environ:
os.environ.pop("QT_QPA_PLATFORM_PLUGIN_PATH")
if "QT_QPA_FONTDIR" in os.environ:
os.environ.pop("QT_QPA_FONTDIR")
if not args.noSupervisor:
print('Using depthai module from: ', dai.__file__)
print('Depthai version installed: ', dai.__version__)
if not args.skipVersionCheck and platform.machine() not in ['armv6l', 'aarch64']:
checkRequirementsVersion()
sentryEnabled = False
try:
import sentry_sdk
sentry_sdk.init(
"https://[email protected]/6114622",
# Set traces_sample_rate to 1.0 to capture 100%
# of transactions for performance monitoring.
# We recommend adjusting this value in production.
traces_sample_rate=1.0,
with_locals=False,
)
sentry_sdk.set_context("syslog", make_sys_report(anonymous=True, skipUsb=True, skipPackages=True))
sentryEnabled = True
except Exception as ex:
print("Logging and crash reporting disabled! {}".format(ex))
class Trackbars:
instances = {}
@staticmethod
def createTrackbar(name, window, minVal, maxVal, defaultVal, callback):
def fn(value):
if Trackbars.instances[name][window] != value:
callback(value)
for otherWindow, previousValue in Trackbars.instances[name].items():
if otherWindow != window and previousValue != value:
Trackbars.instances[name][otherWindow] = value
cv2.setTrackbarPos(name, otherWindow, value)
cv2.createTrackbar(name, window, minVal, maxVal, fn)
Trackbars.instances[name] = {**Trackbars.instances.get(name, {}), window: defaultVal}
cv2.setTrackbarPos(name, window, defaultVal)
noop = lambda *a, **k: None
class Demo:
DISP_CONF_MIN = int(os.getenv("DISP_CONF_MIN", 0))
DISP_CONF_MAX = int(os.getenv("DISP_CONF_MAX", 255))
SIGMA_MIN = int(os.getenv("SIGMA_MIN", 0))
SIGMA_MAX = int(os.getenv("SIGMA_MAX", 250))
LRCT_MIN = int(os.getenv("LRCT_MIN", 0))
LRCT_MAX = int(os.getenv("LRCT_MAX", 10))
def run_all(self, conf):
if conf.args.app is not None:
app = App(appName=conf.args.app)
self.onAppSetup(app)
app.createVenv()
self.onAppStart(app)
app.runApp(shouldRun=self.shouldRun)
else:
self.setup(conf)
self.run()
def __init__(self, displayFrames=True, onNewFrame = noop, onShowFrame = noop, onNn = noop, onReport = noop, onSetup = noop, onTeardown = noop, onIter = noop, onAppSetup = noop, onAppStart = noop, shouldRun = lambda: True, showDownloadProgress=None, collectMetrics=False):
self._openvinoVersion = None
self._displayFrames = displayFrames
self.toggleMetrics(collectMetrics)
self.onNewFrame = onNewFrame
self.onShowFrame = onShowFrame
self.onNn = onNn
self.onReport = onReport
self.onSetup = onSetup
self.onTeardown = onTeardown
self.onIter = onIter
self.shouldRun = shouldRun
self.showDownloadProgress = showDownloadProgress
self.onAppSetup = onAppSetup
self.onAppStart = onAppStart
def setCallbacks(self, onNewFrame=None, onShowFrame=None, onNn=None, onReport=None, onSetup=None, onTeardown=None, onIter=None, onAppSetup=None, onAppStart=None, shouldRun=None, showDownloadProgress=None):
if onNewFrame is not None:
self.onNewFrame = onNewFrame
if onShowFrame is not None:
self.onShowFrame = onShowFrame
if onNn is not None:
self.onNn = onNn
if onReport is not None:
self.onReport = onReport
if onSetup is not None:
self.onSetup = onSetup
if onTeardown is not None:
self.onTeardown = onTeardown
if onIter is not None:
self.onIter = onIter
if shouldRun is not None:
self.shouldRun = shouldRun
if showDownloadProgress is not None:
self.showDownloadProgress = showDownloadProgress
if onAppSetup is not None:
self.onAppSetup = onAppSetup
if onAppStart is not None:
self.onAppStart = onAppStart
def toggleMetrics(self, enabled):
if enabled:
self.metrics = MetricManager()
else:
self.metrics = None
def setup(self, conf: ConfigManager):
print("Setting up demo...")
self._conf = conf
self._rgbRes = conf.getRgbResolution()
self._monoRes = conf.getMonoResolution()
if self._conf.args.openvinoVersion:
self._openvinoVersion = getattr(dai.OpenVINO.Version, 'VERSION_' + self._conf.args.openvinoVersion)
self._deviceInfo = getDeviceInfo(self._conf.args.deviceId)
if self._conf.args.reportFile:
reportFileP = Path(self._conf.args.reportFile).with_suffix('.csv')
reportFileP.parent.mkdir(parents=True, exist_ok=True)
self._reportFile = reportFileP.open('a')
self._pm = PipelineManager(openvinoVersion=self._openvinoVersion, lowCapabilities=self._conf.lowCapabilities)
if self._conf.args.xlinkChunkSize is not None:
self._pm.setXlinkChunkSize(self._conf.args.xlinkChunkSize)
self._nnManager = None
if self._conf.useNN:
self._blobManager = BlobManager(
zooDir=DEPTHAI_ZOO,
zooName=self._conf.getModelName(),
progressFunc=self.showDownloadProgress
)
self._nnManager = NNetManager(inputSize=self._conf.inputSize, sync=self._conf.args.sync)
if self._conf.getModelDir() is not None:
configPath = self._conf.getModelDir() / Path(self._conf.getModelName()).with_suffix(f".json")
self._nnManager.readConfig(configPath)
self._nnManager.countLabel(self._conf.getCountLabel(self._nnManager))
self._pm.setNnManager(self._nnManager)
self._device = dai.Device(self._pm.pipeline.getOpenVINOVersion(), self._deviceInfo, usb2Mode=self._conf.args.usbSpeed == "usb2")
if sentryEnabled:
try:
from sentry_sdk import set_user
set_user({"mxid": self._device.getMxId()})
except:
pass
if self.metrics is not None:
self.metrics.reportDevice(self._device)
if self._deviceInfo.desc.protocol == dai.XLinkProtocol.X_LINK_USB_VSC:
print("USB Connection speed: {}".format(self._device.getUsbSpeed()))
self._conf.adjustParamsToDevice(self._device)
self._conf.adjustPreviewToOptions()
if self._conf.lowBandwidth:
self._pm.enableLowBandwidth(poeQuality=self._conf.args.poeQuality)
self._cap = cv2.VideoCapture(self._conf.args.video) if not self._conf.useCamera else None
self._fps = FPSHandler() if self._conf.useCamera else FPSHandler(self._cap)
if self._conf.useCamera:
pvClass = SyncedPreviewManager if self._conf.args.sync else PreviewManager
self._pv = pvClass(display=self._conf.args.show, nnSource=self._conf.getModelSource(), colorMap=self._conf.getColorMap(),
dispMultiplier=self._conf.dispMultiplier, mouseTracker=True, decode=self._conf.lowBandwidth and not self._conf.lowCapabilities,
fpsHandler=self._fps, createWindows=self._displayFrames, depthConfig=self._pm._depthConfig)
if self._conf.leftCameraEnabled:
self._pm.createLeftCam(self._monoRes, self._conf.args.monoFps,
orientation=self._conf.args.cameraOrientation.get(Previews.left.name),
xout=Previews.left.name in self._conf.args.show)
if self._conf.rightCameraEnabled:
self._pm.createRightCam(self._monoRes, self._conf.args.monoFps,
orientation=self._conf.args.cameraOrientation.get(Previews.right.name),
xout=Previews.right.name in self._conf.args.show)
if self._conf.rgbCameraEnabled:
self._pm.createColorCam(previewSize=self._conf.previewSize, res=self._rgbRes, fps=self._conf.args.rgbFps,
orientation=self._conf.args.cameraOrientation.get(Previews.color.name),
fullFov=not self._conf.args.disableFullFovNn,
xout=Previews.color.name in self._conf.args.show)
if self._conf.useDepth:
self._pm.createDepth(
self._conf.args.disparityConfidenceThreshold,
self._conf.getMedianFilter(),
self._conf.args.sigma,
self._conf.args.stereoLrCheck,
self._conf.args.lrcThreshold,
self._conf.args.extendedDisparity,
self._conf.args.subpixel,
useDepth=Previews.depth.name in self._conf.args.show or Previews.depthRaw.name in self._conf.args.show,
useDisparity=Previews.disparity.name in self._conf.args.show or Previews.disparityColor.name in self._conf.args.show,
useRectifiedLeft=Previews.rectifiedLeft.name in self._conf.args.show,
useRectifiedRight=Previews.rectifiedRight.name in self._conf.args.show,
)
self._encManager = None
if len(self._conf.args.encode) > 0:
self._encManager = EncodingManager(self._conf.args.encode, self._conf.args.encodeOutput)
self._encManager.createEncoders(self._pm)
if len(self._conf.args.report) > 0:
self._pm.createSystemLogger()
if self._conf.useNN:
self._nn = self._nnManager.createNN(
pipeline=self._pm.pipeline, nodes=self._pm.nodes, source=self._conf.getModelSource(),
blobPath=self._blobManager.getBlob(shaves=self._conf.shaves, openvinoVersion=self._nnManager.openvinoVersion),
useDepth=self._conf.useDepth, minDepth=self._conf.args.minDepth, maxDepth=self._conf.args.maxDepth,
sbbScaleFactor=self._conf.args.sbbScaleFactor, fullFov=not self._conf.args.disableFullFovNn,
)
self._pm.addNn(nn=self._nn, xoutNnInput=Previews.nnInput.name in self._conf.args.show,
xoutSbb=self._conf.args.spatialBoundingBox and self._conf.useDepth)
def run(self):
self._device.startPipeline(self._pm.pipeline)
self._pm.createDefaultQueues(self._device)
if self._conf.useNN:
self._nnManager.createQueues(self._device)
self._sbbOut = self._device.getOutputQueue("sbb", maxSize=1, blocking=False) if self._conf.useNN and self._conf.args.spatialBoundingBox else None
self._logOut = self._device.getOutputQueue("systemLogger", maxSize=30, blocking=False) if len(self._conf.args.report) > 0 else None
if self._conf.useDepth:
self._medianFilters = cycle([item for name, item in vars(dai.MedianFilter).items() if name.startswith('KERNEL_') or name.startswith('MEDIAN_')])
for medFilter in self._medianFilters:
# move the cycle to the current median filter
if medFilter == self._pm._depthConfig.postProcessing.median:
break
else:
self._medianFilters = []
if self._conf.useCamera:
cameras = self._device.getConnectedCameras()
if dai.CameraBoardSocket.LEFT in cameras and dai.CameraBoardSocket.RIGHT in cameras:
self._pv.collectCalibData(self._device)
self._cameraConfig = {
"exposure": self._conf.args.cameraExposure,
"sensitivity": self._conf.args.cameraSensitivity,
"saturation": self._conf.args.cameraSaturation,
"contrast": self._conf.args.cameraContrast,
"brightness": self._conf.args.cameraBrightness,
"sharpness": self._conf.args.cameraSharpness
}
if any(self._cameraConfig.values()):
self._updateCameraConfigs()
self._pv.createQueues(self._device, self._createQueueCallback)
if self._encManager is not None:
self._encManager.createDefaultQueues(self._device)
self._seqNum = 0
self._hostFrame = None
self._nnData = []
self._sbbRois = []
self.onSetup(self)
try:
while not self._device.isClosed() and self.shouldRun():
self._fps.nextIter()
self.onIter(self)
self.loop()
except StopIteration:
pass
except Exception as ex:
if sentryEnabled:
from sentry_sdk import capture_exception
capture_exception(ex)
raise
finally:
self.stop()
def stop(self):
print("Stopping demo...")
self._device.close()
del self._device
self._pm.closeDefaultQueues()
if self._conf.useCamera:
self._pv.closeQueues()
if self._encManager is not None:
self._encManager.close()
if self._nnManager is not None:
self._nnManager.closeQueues()
if self._sbbOut is not None:
self._sbbOut.close()
if self._logOut is not None:
self._logOut.close()
self._fps.printStatus()
self.onTeardown(self)
timer = time.monotonic()
def loop(self):
diff = time.monotonic() - self.timer
if diff < 0.02:
time.sleep(diff)
self.timer = time.monotonic()
if self._conf.useCamera:
self._pv.prepareFrames(callback=self.onNewFrame)
if self._encManager is not None:
self._encManager.parseQueues()
if self._sbbOut is not None:
sbb = self._sbbOut.tryGet()
if sbb is not None:
self._sbbRois = sbb.getConfigData()
depthFrames = [self._pv.get(Previews.depthRaw.name), self._pv.get(Previews.depth.name)]
for depthFrame in depthFrames:
if depthFrame is None:
continue
for roiData in self._sbbRois:
roi = roiData.roi.denormalize(depthFrame.shape[1], depthFrame.shape[0])
topLeft = roi.topLeft()
bottomRight = roi.bottomRight()
# Display SBB on the disparity map
cv2.rectangle(depthFrame, (int(topLeft.x), int(topLeft.y)), (int(bottomRight.x), int(bottomRight.y)), self._nnManager._bboxColors[0], 2)
else:
readCorrectly, rawHostFrame = self._cap.read()
if not readCorrectly:
raise StopIteration()
self._nnManager.sendInputFrame(rawHostFrame, self._seqNum)
self._seqNum += 1
self._hostFrame = rawHostFrame
self._fps.tick('host')
if self._nnManager is not None:
newData, inNn = self._nnManager.parse()
if inNn is not None:
self.onNn(inNn, newData)
self._fps.tick('nn')
if newData is not None:
self._nnData = newData
if self._conf.useCamera:
if self._nnManager is not None:
self._nnManager.draw(self._pv, self._nnData)
self._pv.showFrames(callback=self._showFramesCallback)
elif self._hostFrame is not None:
debugHostFrame = self._hostFrame.copy()
if self._nnManager is not None:
self._nnManager.draw(debugHostFrame, self._nnData)
self._fps.drawFps(debugHostFrame, "host")
if self._displayFrames:
cv2.imshow("host", debugHostFrame)
if self._logOut:
logs = self._logOut.tryGetAll()
for log in logs:
self._printSysInfo(log)
if self._displayFrames:
key = cv2.waitKey(1)
if key == ord('q'):
raise StopIteration()
elif key == ord('m'):
nextFilter = next(self._medianFilters)
self._pm.updateDepthConfig(self._device, median=nextFilter)
if self._conf.args.cameraControlls:
update = True
if key == ord('t'):
self._cameraConfig["exposure"] = 10000 if self._cameraConfig["exposure"] is None else 500 if self._cameraConfig["exposure"] == 1 else min(self._cameraConfig["exposure"] + 500, 33000)
if self._cameraConfig["sensitivity"] is None:
self._cameraConfig["sensitivity"] = 800
elif key == ord('g'):
self._cameraConfig["exposure"] = 10000 if self._cameraConfig["exposure"] is None else max(self._cameraConfig["exposure"] - 500, 1)
if self._cameraConfig["sensitivity"] is None:
self._cameraConfig["sensitivity"] = 800
elif key == ord('y'):
self._cameraConfig["sensitivity"] = 800 if self._cameraConfig["sensitivity"] is None else min(self._cameraConfig["sensitivity"] + 50, 1600)
if self._cameraConfig["exposure"] is None:
self._cameraConfig["exposure"] = 10000
elif key == ord('h'):
self._cameraConfig["sensitivity"] = 800 if self._cameraConfig["sensitivity"] is None else max(self._cameraConfig["sensitivity"] - 50, 100)
if self._cameraConfig["exposure"] is None:
self._cameraConfig["exposure"] = 10000
elif key == ord('u'):
self._cameraConfig["saturation"] = 0 if self._cameraConfig["saturation"] is None else min(self._cameraConfig["saturation"] + 1, 10)
elif key == ord('j'):
self._cameraConfig["saturation"] = 0 if self._cameraConfig["saturation"] is None else max(self._cameraConfig["saturation"] - 1, -10)
elif key == ord('i'):
self._cameraConfig["contrast"] = 0 if self._cameraConfig["contrast"] is None else min(self._cameraConfig["contrast"] + 1, 10)
elif key == ord('k'):
self._cameraConfig["contrast"] = 0 if self._cameraConfig["contrast"] is None else max(self._cameraConfig["contrast"] - 1, -10)
elif key == ord('o'):
self._cameraConfig["brightness"] = 0 if self._cameraConfig["brightness"] is None else min(self._cameraConfig["brightness"] + 1, 10)
elif key == ord('l'):
self._cameraConfig["brightness"] = 0 if self._cameraConfig["brightness"] is None else max(self._cameraConfig["brightness"] - 1, -10)
elif key == ord('p'):
self._cameraConfig["sharpness"] = 0 if self._cameraConfig["sharpness"] is None else min(self._cameraConfig["sharpness"] + 1, 4)
elif key == ord(';'):
self._cameraConfig["sharpness"] = 0 if self._cameraConfig["sharpness"] is None else max(self._cameraConfig["sharpness"] - 1, 0)
else:
update = False
if update:
self._updateCameraConfigs()
def _createQueueCallback(self, queueName):
if self._displayFrames and queueName in [Previews.disparityColor.name, Previews.disparity.name, Previews.depth.name, Previews.depthRaw.name]:
Trackbars.createTrackbar('Disparity confidence', queueName, self.DISP_CONF_MIN, self.DISP_CONF_MAX, self._conf.args.disparityConfidenceThreshold,
lambda value: self._pm.updateDepthConfig(self._device, dct=value))
if queueName in [Previews.depthRaw.name, Previews.depth.name]:
Trackbars.createTrackbar('Bilateral sigma', queueName, self.SIGMA_MIN, self.SIGMA_MAX, self._conf.args.sigma,
lambda value: self._pm.updateDepthConfig(self._device, sigma=value))
if self._conf.args.stereoLrCheck:
Trackbars.createTrackbar('LR-check threshold', queueName, self.LRCT_MIN, self.LRCT_MAX, self._conf.args.lrcThreshold,
lambda value: self._pm.updateDepthConfig(self._device, lrcThreshold=value))
def _updateCameraConfigs(self):
parsedConfig = {}
for configOption, values in self._cameraConfig.items():
if values is not None:
for cameraName, value in values:
newConfig = {
**parsedConfig.get(cameraName, {}),
configOption: value
}
if cameraName == "all":
parsedConfig[Previews.left.name] = newConfig
parsedConfig[Previews.right.name] = newConfig
parsedConfig[Previews.color.name] = newConfig
else:
parsedConfig[cameraName] = newConfig
if hasattr(self, "_device"):
if self._conf.leftCameraEnabled and Previews.left.name in parsedConfig:
self._pm.updateLeftCamConfig(self._device, **parsedConfig[Previews.left.name])
if self._conf.rightCameraEnabled and Previews.right.name in parsedConfig:
self._pm.updateRightCamConfig(self._device, **parsedConfig[Previews.right.name])
if self._conf.rgbCameraEnabled and Previews.color.name in parsedConfig:
self._pm.updateColorCamConfig(self._device, **parsedConfig[Previews.color.name])
def _showFramesCallback(self, frame, name):
returnFrame = self.onShowFrame(frame, name)
return returnFrame if returnFrame is not None else frame
def _printSysInfo(self, info):
m = 1024 * 1024 # MiB
if not hasattr(self, "_reportFile"):
if "memory" in self._conf.args.report:
print(f"Drr used / total - {info.ddrMemoryUsage.used / m:.2f} / {info.ddrMemoryUsage.total / m:.2f} MiB")
print(f"Cmx used / total - {info.cmxMemoryUsage.used / m:.2f} / {info.cmxMemoryUsage.total / m:.2f} MiB")
print(f"LeonCss heap used / total - {info.leonCssMemoryUsage.used / m:.2f} / {info.leonCssMemoryUsage.total / m:.2f} MiB")
print(f"LeonMss heap used / total - {info.leonMssMemoryUsage.used / m:.2f} / {info.leonMssMemoryUsage.total / m:.2f} MiB")
if "temp" in self._conf.args.report:
t = info.chipTemperature
print(f"Chip temperature - average: {t.average:.2f}, css: {t.css:.2f}, mss: {t.mss:.2f}, upa0: {t.upa:.2f}, upa1: {t.dss:.2f}")
if "cpu" in self._conf.args.report:
print(f"Cpu usage - Leon OS: {info.leonCssCpuUsage.average * 100:.2f}%, Leon RT: {info.leonMssCpuUsage.average * 100:.2f} %")
print("----------------------------------------")
else:
data = {}
if "memory" in self._conf.args.report:
data = {
**data,
"ddrUsed": info.ddrMemoryUsage.used,
"ddrTotal": info.ddrMemoryUsage.total,
"cmxUsed": info.cmxMemoryUsage.used,
"cmxTotal": info.cmxMemoryUsage.total,
"leonCssUsed": info.leonCssMemoryUsage.used,
"leonCssTotal": info.leonCssMemoryUsage.total,
"leonMssUsed": info.leonMssMemoryUsage.used,
"leonMssTotal": info.leonMssMemoryUsage.total,
}
if "temp" in self._conf.args.report:
data = {
**data,
"tempAvg": info.chipTemperature.average,
"tempCss": info.chipTemperature.css,
"tempMss": info.chipTemperature.mss,
"tempUpa0": info.chipTemperature.upa,
"tempUpa1": info.chipTemperature.dss,
}
if "cpu" in self._conf.args.report:
data = {
**data,
"cpuCssAvg": info.leonCssCpuUsage.average,
"cpuMssAvg": info.leonMssCpuUsage.average,
}
if self._reportFile.tell() == 0:
print(','.join(data.keys()), file=self._reportFile)
self.onReport(data)
print(','.join(map(str, data.values())), file=self._reportFile)
def prepareConfManager(in_args):
confManager = ConfigManager(in_args)
confManager.linuxCheckApplyUsbRules()
if not confManager.useCamera:
if str(confManager.args.video).startswith('https'):
confManager.args.video = downloadYTVideo(confManager.args.video, DEPTHAI_VIDEOS)
print("Youtube video downloaded.")
if not Path(confManager.args.video).exists():
raise ValueError("Path {} does not exists!".format(confManager.args.video))
return confManager
def runQt():
from gui.main import DemoQtGui
from PyQt5.QtWidgets import QMessageBox
from PyQt5.QtCore import QObject, pyqtSignal, QRunnable, QThreadPool
class WorkerSignals(QObject):
updateConfSignal = pyqtSignal(list)
updateDownloadProgressSignal = pyqtSignal(int, int)
updatePreviewSignal = pyqtSignal(np.ndarray)
setDataSignal = pyqtSignal(list)
exitSignal = pyqtSignal()
errorSignal = pyqtSignal(str)
class Worker(QRunnable):
def __init__(self, instance, parent, conf, selectedPreview=None):
super(Worker, self).__init__()
self.running = False
self.selectedPreview = selectedPreview
self.instance = instance
self.parent = parent
self.conf = conf
self.callback_module = loadModule(conf.args.callback)
self.file_callbacks = {
callbackName: getattr(self.callback_module, callbackName)
for callbackName in ["shouldRun", "onNewFrame", "onShowFrame", "onNn", "onReport", "onSetup", "onTeardown", "onIter"]
if callable(getattr(self.callback_module, callbackName, None))
}
self.instance.setCallbacks(**self.file_callbacks)
self.signals = WorkerSignals()
self.signals.exitSignal.connect(self.terminate)
self.signals.updateConfSignal.connect(self.updateConf)
def run(self):
self.running = True
self.signals.setDataSignal.emit(["restartRequired", False])
self.instance.setCallbacks(shouldRun=self.shouldRun, onShowFrame=self.onShowFrame, onSetup=self.onSetup, onAppSetup=self.onAppSetup, onAppStart=self.onAppStart, showDownloadProgress=self.showDownloadProgress)
self.conf.args.bandwidth = "auto"
if self.conf.args.deviceId is None:
devices = dai.Device.getAllAvailableDevices()
if len(devices) > 0:
defaultDevice = next(map(
lambda info: info.getMxId(),
filter(lambda info: info.desc.protocol == dai.XLinkProtocol.X_LINK_USB_VSC, devices)
), None)
if defaultDevice is None:
defaultDevice = devices[0].getMxId()
self.conf.args.deviceId = defaultDevice
if Previews.color.name not in self.conf.args.show:
self.conf.args.show.append(Previews.color.name)
if Previews.nnInput.name not in self.conf.args.show:
self.conf.args.show.append(Previews.nnInput.name)
if Previews.depth.name not in self.conf.args.show and Previews.disparityColor.name not in self.conf.args.show:
self.conf.args.show.append(Previews.depth.name)
if Previews.depthRaw.name not in self.conf.args.show and Previews.disparity.name not in self.conf.args.show:
self.conf.args.show.append(Previews.depthRaw.name)
if Previews.left.name not in self.conf.args.show:
self.conf.args.show.append(Previews.left.name)
if Previews.rectifiedLeft.name not in self.conf.args.show:
self.conf.args.show.append(Previews.rectifiedLeft.name)
if Previews.right.name not in self.conf.args.show:
self.conf.args.show.append(Previews.right.name)
if Previews.rectifiedRight.name not in self.conf.args.show:
self.conf.args.show.append(Previews.rectifiedRight.name)
try:
self.instance.run_all(self.conf)
except KeyboardInterrupt:
sys.exit(0)
except Exception as ex:
self.onError(ex)
def terminate(self):
self.running = False
self.signals.setDataSignal.emit(["restartRequired", False])
def updateConf(self, argsList):
self.conf.args = argparse.Namespace(**dict(argsList))
def onError(self, ex: Exception):
self.signals.errorSignal.emit(''.join(traceback.format_tb(ex.__traceback__) + [str(ex)]))
self.signals.setDataSignal.emit(["restartRequired", True])
def shouldRun(self):
if "shouldRun" in self.file_callbacks:
return self.running and self.file_callbacks["shouldRun"]()
return self.running
def onShowFrame(self, frame, source):
if "onShowFrame" in self.file_callbacks:
self.file_callbacks["onShowFrame"](frame, source)
if source == self.selectedPreview:
self.signals.updatePreviewSignal.emit(frame)
def onAppSetup(self, app):
setupFrame = createBlankFrame(500, 500)
cv2.putText(setupFrame, "Preparing {} app...".format(app.appName), (150, 250), cv2.FONT_HERSHEY_TRIPLEX, 0.5, (255, 255, 255), 4, cv2.LINE_AA)
cv2.putText(setupFrame, "Preparing {} app...".format(app.appName), (150, 250), cv2.FONT_HERSHEY_TRIPLEX, 0.5, (0, 0, 0), 1, cv2.LINE_AA)
self.signals.updatePreviewSignal.emit(setupFrame)
def onAppStart(self, app):
setupFrame = createBlankFrame(500, 500)
cv2.putText(setupFrame, "Running {} app... (check console)".format(app.appName), (100, 250), cv2.FONT_HERSHEY_TRIPLEX, 0.5, (255, 255, 255), 4, cv2.LINE_AA)
cv2.putText(setupFrame, "Running {} app... (check console)".format(app.appName), (100, 250), cv2.FONT_HERSHEY_TRIPLEX, 0.5, (0, 0, 0), 1, cv2.LINE_AA)
self.signals.updatePreviewSignal.emit(setupFrame)
def showDownloadProgress(self, curr, total):
self.signals.updateDownloadProgressSignal.emit(curr, total)
def onSetup(self, instance):
if "onSetup" in self.file_callbacks:
self.file_callbacks["onSetup"](instance)
self.signals.updateConfSignal.emit(list(vars(self.conf.args).items()))
self.signals.setDataSignal.emit(["previewChoices", self.conf.args.show])
devices = [self.instance._deviceInfo.getMxId()] + list(map(lambda info: info.getMxId(), dai.Device.getAllAvailableDevices()))
self.signals.setDataSignal.emit(["deviceChoices", devices])
if instance._nnManager is not None:
self.signals.setDataSignal.emit(["countLabels", instance._nnManager._labels])
else:
self.signals.setDataSignal.emit(["countLabels", []])
self.signals.setDataSignal.emit(["depthEnabled", self.conf.useDepth])
self.signals.setDataSignal.emit(["statisticsAccepted", self.instance.metrics is not None])
self.signals.setDataSignal.emit(["modelChoices", sorted(self.conf.getAvailableZooModels(), key=cmp_to_key(lambda a, b: -1 if a == "mobilenet-ssd" else 1 if b == "mobilenet-ssd" else -1 if a < b else 1))])
class GuiApp(DemoQtGui):
def __init__(self):
super().__init__()
self.confManager = prepareConfManager(args)
self.running = False
self.selectedPreview = self.confManager.args.show[0] if len(self.confManager.args.show) > 0 else "color"
self.useDisparity = False
self.dataInitialized = False
self.appInitialized = False
self.threadpool = QThreadPool()
self._demoInstance = Demo(displayFrames=False)
def updateArg(self, arg_name, arg_value, shouldUpdate=True):
setattr(self.confManager.args, arg_name, arg_value)
if shouldUpdate:
self.worker.signals.setDataSignal.emit(["restartRequired", True])
def showError(self, error):
print(error, file=sys.stderr)
msgBox = QMessageBox()
msgBox.setIcon(QMessageBox.Critical)
msgBox.setText(error)
msgBox.setWindowTitle("An error occured")
msgBox.setStandardButtons(QMessageBox.Ok)
msgBox.exec()
def setupDataCollection(self):
try:
with Path(".consent").open() as f:
accepted = json.load(f)["statistics"]
except:
accepted = True
self._demoInstance.toggleMetrics(accepted)
def start(self):
self.setupDataCollection()
self.running = True
self.worker = Worker(self._demoInstance, parent=self, conf=self.confManager, selectedPreview=self.selectedPreview)
self.worker.signals.updatePreviewSignal.connect(self.updatePreview)
self.worker.signals.updateDownloadProgressSignal.connect(self.updateDownloadProgress)
self.worker.signals.setDataSignal.connect(self.setData)
self.worker.signals.errorSignal.connect(self.showError)
self.threadpool.start(self.worker)
if not self.appInitialized:
self.appInitialized = True
exit_code = self.startGui()
self.stop(wait=False)
sys.exit(exit_code)
def stop(self, wait=True):
if hasattr(self._demoInstance, "_device"):
current_mxid = self._demoInstance._device.getMxId()
else:
current_mxid = self.confManager.args.deviceId
self.worker.signals.exitSignal.emit()
self.threadpool.waitForDone(10000)
if wait and current_mxid is not None:
start = time.time()
while time.time() - start < 30:
if current_mxid in list(map(lambda info: info.getMxId(), dai.Device.getAllAvailableDevices())):
break
else:
time.sleep(0.1)
else:
print(f"[Warning] Device not available again after 30 seconds! MXID: {current_mxid}")
def restartDemo(self):
self.stop()
self.start()
def guiOnDepthConfigUpdate(self, median=None, dct=None, sigma=None, lrc=None, lrcThreshold=None):
self._demoInstance._pm.updateDepthConfig(self._demoInstance._device, median=median, dct=dct, sigma=sigma, lrc=lrc, lrcThreshold=lrcThreshold)
if median is not None:
if median == dai.MedianFilter.MEDIAN_OFF:
self.updateArg("stereoMedianSize", 0, False)
elif median == dai.MedianFilter.KERNEL_3x3:
self.updateArg("stereoMedianSize", 3, False)
elif median == dai.MedianFilter.KERNEL_5x5:
self.updateArg("stereoMedianSize", 5, False)
elif median == dai.MedianFilter.KERNEL_7x7:
self.updateArg("stereoMedianSize", 7, False)
if dct is not None:
self.updateArg("disparityConfidenceThreshold", dct, False)
if sigma is not None:
self.updateArg("sigma", sigma, False)
if lrc is not None:
self.updateArg("stereoLrCheck", lrc, False)
if lrcThreshold is not None:
self.updateArg("lrcThreshold", lrcThreshold, False)
def guiOnCameraConfigUpdate(self, name, exposure=None, sensitivity=None, saturation=None, contrast=None, brightness=None, sharpness=None):
if exposure is not None:
newValue = list(filter(lambda item: item[0] == name, (self.confManager.args.cameraExposure or []))) + [(name, exposure)]
self._demoInstance._cameraConfig["exposure"] = newValue
self.updateArg("cameraExposure", newValue, False)
if sensitivity is not None:
newValue = list(filter(lambda item: item[0] == name, (self.confManager.args.cameraSensitivity or []))) + [(name, sensitivity)]
self._demoInstance._cameraConfig["sensitivity"] = newValue
self.updateArg("cameraSensitivity", newValue, False)
if saturation is not None:
newValue = list(filter(lambda item: item[0] == name, (self.confManager.args.cameraSaturation or []))) + [(name, saturation)]
self._demoInstance._cameraConfig["saturation"] = newValue
self.updateArg("cameraSaturation", newValue, False)
if contrast is not None:
newValue = list(filter(lambda item: item[0] == name, (self.confManager.args.cameraContrast or []))) + [(name, contrast)]
self._demoInstance._cameraConfig["contrast"] = newValue
self.updateArg("cameraContrast", newValue, False)
if brightness is not None:
newValue = list(filter(lambda item: item[0] == name, (self.confManager.args.cameraBrightness or []))) + [(name, brightness)]
self._demoInstance._cameraConfig["brightness"] = newValue
self.updateArg("cameraBrightness", newValue, False)
if sharpness is not None:
newValue = list(filter(lambda item: item[0] == name, (self.confManager.args.cameraSharpness or []))) + [(name, sharpness)]
self._demoInstance._cameraConfig["sharpness"] = newValue
self.updateArg("cameraSharpness", newValue, False)
self._demoInstance._updateCameraConfigs()
def guiOnDepthSetupUpdate(self, depthFrom=None, depthTo=None, subpixel=None, extended=None):
if depthFrom is not None:
self.updateArg("minDepth", depthFrom)
if depthTo is not None:
self.updateArg("maxDepth", depthTo)
if subpixel is not None:
self.updateArg("subpixel", subpixel)
if extended is not None:
self.updateArg("extendedDisparity", extended)
def guiOnCameraSetupUpdate(self, name, fps=None, resolution=None):
if fps is not None:
if name == "color":
self.updateArg("rgbFps", fps)
else:
self.updateArg("monoFps", fps)
if resolution is not None:
if name == "color":
self.updateArg("rgbResolution", resolution)
else:
self.updateArg("monoResolution", resolution)
def guiOnAiSetupUpdate(self, cnn=None, shave=None, source=None, fullFov=None, sbb=None, sbbFactor=None, ov=None, countLabel=None):
if cnn is not None:
self.updateArg("cnnModel", cnn)
if shave is not None:
self.updateArg("shaves", shave)
if source is not None:
self.updateArg("camera", source)
if fullFov is not None:
self.updateArg("disableFullFovNn", not fullFov)
if sbb is not None:
self.updateArg("spatialBoundingBox", sbb)
if sbbFactor is not None:
self.updateArg("sbbScaleFactor", sbbFactor)
if ov is not None:
self.updateArg("openvinoVersion", ov)
if countLabel is not None or cnn is not None:
self.updateArg("countLabel", countLabel)
def guiOnPreviewChangeSelected(self, selected):
self.worker.selectedPreview = selected
self.selectedPreview = selected
def guiOnSelectDevice(self, selected):
self.updateArg("deviceId", selected)
def guiOnReloadDevices(self):
devices = list(map(lambda info: info.getMxId(), dai.Device.getAllAvailableDevices()))
if hasattr(self._demoInstance, "_deviceInfo"):
devices.insert(0, self._demoInstance._deviceInfo.getMxId())
self.worker.signals.setDataSignal.emit(["deviceChoices", devices])
if len(devices) > 0:
self.worker.signals.setDataSignal.emit(["restartRequired", True])
def guiOnStaticticsConsent(self, value):
try:
with Path('.consent').open('w') as f:
json.dump({"statistics": value}, f)
except:
pass
self.worker.signals.setDataSignal.emit(["restartRequired", True])
def guiOnToggleSync(self, value):
self.updateArg("sync", value)
def guiOnToggleColorEncoding(self, enabled, fps):
oldConfig = self.confManager.args.encode or {}
if enabled:
oldConfig["color"] = fps
elif "color" in self.confManager.args.encode:
del oldConfig["color"]
self.updateArg("encode", oldConfig)
def guiOnToggleLeftEncoding(self, enabled, fps):
oldConfig = self.confManager.args.encode or {}
if enabled:
oldConfig["left"] = fps
elif "color" in self.confManager.args.encode:
del oldConfig["left"]
self.updateArg("encode", oldConfig)
def guiOnToggleRightEncoding(self, enabled, fps):
oldConfig = self.confManager.args.encode or {}
if enabled:
oldConfig["right"] = fps
elif "color" in self.confManager.args.encode:
del oldConfig["right"]
self.updateArg("encode", oldConfig)
def guiOnSelectReportingOptions(self, temp, cpu, memory):
options = []
if temp:
options.append("temp")
if cpu:
options.append("cpu")
if memory:
options.append("memory")
self.updateArg("report", options)
def guiOnSelectReportingPath(self, value):
self.updateArg("reportFile", value)
def guiOnSelectEncodingPath(self, value):
self.updateArg("encodeOutput", value)
def guiOnToggleDepth(self, value):
self.updateArg("disableDepth", not value)
selectedPreviews = [Previews.rectifiedRight.name, Previews.rectifiedLeft.name] + ([Previews.disparity.name, Previews.disparityColor.name] if self.useDisparity else [Previews.depth.name, Previews.depthRaw.name])
depthPreviews = [Previews.rectifiedRight.name, Previews.rectifiedLeft.name, Previews.depth.name, Previews.depthRaw.name, Previews.disparity.name, Previews.disparityColor.name]
filtered = list(filter(lambda name: name not in depthPreviews, self.confManager.args.show))
if value:
updated = filtered + selectedPreviews
if self.selectedPreview not in updated:
self.selectedPreview = updated[0]
self.updateArg("show", updated)
else:
updated = filtered + [Previews.left.name, Previews.right.name]
if self.selectedPreview not in updated:
self.selectedPreview = updated[0]
self.updateArg("show", updated)
def guiOnToggleNN(self, value):
self.updateArg("disableNeuralNetwork", not value)
filtered = list(filter(lambda name: name != Previews.nnInput.name, self.confManager.args.show))
if value:
updated = filtered + [Previews.nnInput.name]
if self.selectedPreview not in updated:
self.selectedPreview = updated[0]
self.updateArg("show", filtered + [Previews.nnInput.name])
else:
if self.selectedPreview not in filtered:
self.selectedPreview = filtered[0]
self.updateArg("show", filtered)
def guiOnRunApp(self, appName):
self.stop()
self.updateArg("app", appName, shouldUpdate=False)
self.setData(["runningApp", appName])
self.start()
def guiOnTerminateApp(self, appName):
self.stop()
self.updateArg("app", None, shouldUpdate=False)
self.setData(["runningApp", ""])
self.start()
def guiOnToggleDisparity(self, value):
self.useDisparity = value
depthPreviews = [Previews.depth.name, Previews.depthRaw.name]
disparityPreviews = [Previews.disparity.name, Previews.disparityColor.name]
if value:
filtered = list(filter(lambda name: name not in depthPreviews, self.confManager.args.show))
updated = filtered + disparityPreviews
if self.selectedPreview not in updated:
self.selectedPreview = updated[0]
self.updateArg("show", updated)
else:
filtered = list(filter(lambda name: name not in disparityPreviews, self.confManager.args.show))
updated = filtered + depthPreviews
if self.selectedPreview not in updated:
self.selectedPreview = updated[0]
self.updateArg("show", updated)
GuiApp().start()
def runOpenCv():
confManager = prepareConfManager(args)
demo = Demo()
demo.run_all(confManager)
if __name__ == "__main__":
try:
if args.noSupervisor:
if args.guiType == "qt":
runQt()
else:
args.guiType = "cv"
runOpenCv()
else:
s = Supervisor()
if args.guiType != "cv":
available = s.checkQtAvailability()
if args.guiType == "qt" and not available:
raise RuntimeError("QT backend is not available, run the script with --guiType \"cv\" to use OpenCV backend")
if args.guiType == "auto" and platform.machine() == 'aarch64': # Disable Qt by default on Jetson due to Qt issues