task_navigator.py
96.2 KB
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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
#--------------------------------------------------------------------------
# Software: InVesalius - Software de Reconstrucao 3D de Imagens Medicas
# Copyright: (C) 2001 Centro de Pesquisas Renato Archer
# Homepage: http://www.softwarepublico.gov.br
# Contact: invesalius@cti.gov.br
# License: GNU - GPL 2 (LICENSE.txt/LICENCA.txt)
#--------------------------------------------------------------------------
# Este programa e software livre; voce pode redistribui-lo e/ou
# modifica-lo sob os termos da Licenca Publica Geral GNU, conforme
# publicada pela Free Software Foundation; de acordo com a versao 2
# da Licenca.
#
# Este programa eh distribuido na expectativa de ser util, mas SEM
# QUALQUER GARANTIA; sem mesmo a garantia implicita de
# COMERCIALIZACAO ou de ADEQUACAO A QUALQUER PROPOSITO EM
# PARTICULAR. Consulte a Licenca Publica Geral GNU para obter mais
# detalhes.
#--------------------------------------------------------------------------
import dataclasses
from functools import partial
import itertools
import csv
import queue
import time
import threading
import nibabel as nb
import numpy as np
try:
import Trekker
has_trekker = True
except ImportError:
has_trekker = True
try:
import invesalius.data.elfin as elfin
import invesalius.data.elfin_processing as elfin_process
has_robot = True
except ImportError:
has_robot = False
import wx
import vtk
try:
import wx.lib.agw.foldpanelbar as fpb
except ImportError:
import wx.lib.foldpanelbar as fpb
import wx.lib.colourselect as csel
import wx.lib.masked.numctrl
from invesalius.pubsub import pub as Publisher
from time import sleep
import invesalius.constants as const
if has_trekker:
import invesalius.data.brainmesh_handler as brain
import invesalius.data.imagedata_utils as imagedata_utils
import invesalius.data.slice_ as sl
import invesalius.data.tractography as dti
import invesalius.data.record_coords as rec
import invesalius.data.vtk_utils as vtk_utils
import invesalius.data.bases as db
import invesalius.gui.dialogs as dlg
import invesalius.project as prj
import invesalius.session as ses
from invesalius import utils
from invesalius.gui import utils as gui_utils
from invesalius.navigation.icp import ICP
from invesalius.navigation.navigation import Navigation
from invesalius.navigation.tracker import Tracker
from invesalius.navigation.robot import Robot
from invesalius.data.converters import to_vtk
from invesalius.net.neuronavigation_api import NeuronavigationApi
HAS_PEDAL_CONNECTION = True
try:
from invesalius.net.pedal_connection import PedalConnection
except ImportError:
HAS_PEDAL_CONNECTION = False
BTN_NEW = wx.NewId()
BTN_IMPORT_LOCAL = wx.NewId()
class TaskPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
inner_panel = InnerTaskPanel(self)
sizer = wx.BoxSizer(wx.HORIZONTAL)
sizer.Add(inner_panel, 1, wx.EXPAND|wx.GROW|wx.BOTTOM|wx.RIGHT |
wx.LEFT, 7)
sizer.Fit(self)
self.SetSizer(sizer)
self.Update()
self.SetAutoLayout(1)
class InnerTaskPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
default_colour = self.GetBackgroundColour()
background_colour = wx.Colour(255,255,255)
self.SetBackgroundColour(background_colour)
txt_nav = wx.StaticText(self, -1, _('Select fiducials and navigate'),
size=wx.Size(90, 20))
txt_nav.SetFont(wx.Font(9, wx.DEFAULT, wx.NORMAL, wx.BOLD))
# Create horizontal sizer to represent lines in the panel
txt_sizer = wx.BoxSizer(wx.HORIZONTAL)
txt_sizer.Add(txt_nav, 1, wx.EXPAND|wx.GROW, 5)
# Fold panel which contains navigation configurations
fold_panel = FoldPanel(self)
fold_panel.SetBackgroundColour(default_colour)
# Add line sizer into main sizer
main_sizer = wx.BoxSizer(wx.VERTICAL)
main_sizer.Add(txt_sizer, 0, wx.GROW|wx.EXPAND|wx.LEFT|wx.RIGHT, 5)
main_sizer.Add(fold_panel, 1, wx.GROW|wx.EXPAND|wx.LEFT|wx.RIGHT, 5)
main_sizer.AddSpacer(5)
main_sizer.Fit(self)
self.SetSizerAndFit(main_sizer)
self.Update()
self.SetAutoLayout(1)
self.sizer = main_sizer
class FoldPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
inner_panel = InnerFoldPanel(self)
sizer = wx.BoxSizer(wx.VERTICAL)
sizer.Add(inner_panel, 0, wx.EXPAND|wx.GROW)
sizer.Fit(self)
self.SetSizerAndFit(sizer)
self.Update()
self.SetAutoLayout(1)
class InnerFoldPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
self.SetBackgroundColour(default_colour)
self.__bind_events()
# Fold panel and its style settings
# FIXME: If we dont insert a value in size or if we set wx.DefaultSize,
# the fold_panel doesnt show. This means that, for some reason, Sizer
# is not working properly in this panel. It might be on some child or
# parent panel. Perhaps we need to insert the item into the sizer also...
# Study this.
fold_panel = fpb.FoldPanelBar(self, -1, wx.DefaultPosition,
(10, 330), 0, fpb.FPB_SINGLE_FOLD)
# Initialize Tracker and PedalConnection objects here so that they are available to several panels.
#
tracker = Tracker()
pedal_connection = PedalConnection() if HAS_PEDAL_CONNECTION else None
neuronavigation_api = NeuronavigationApi()
# Fold panel style
style = fpb.CaptionBarStyle()
style.SetCaptionStyle(fpb.CAPTIONBAR_GRADIENT_V)
style.SetFirstColour(default_colour)
style.SetSecondColour(default_colour)
# Fold 1 - Navigation panel
item = fold_panel.AddFoldPanel(_("Neuronavigation"), collapsed=True)
ntw = NeuronavigationPanel(
parent=item,
tracker=tracker,
pedal_connection=pedal_connection,
neuronavigation_api=neuronavigation_api,
)
fold_panel.ApplyCaptionStyle(item, style)
fold_panel.AddFoldPanelWindow(item, ntw, spacing=0,
leftSpacing=0, rightSpacing=0)
fold_panel.Expand(fold_panel.GetFoldPanel(0))
# Fold 2 - Object registration panel
item = fold_panel.AddFoldPanel(_("Object registration"), collapsed=True)
otw = ObjectRegistrationPanel(item, tracker, pedal_connection)
fold_panel.ApplyCaptionStyle(item, style)
fold_panel.AddFoldPanelWindow(item, otw, spacing=0,
leftSpacing=0, rightSpacing=0)
# Fold 3 - Markers panel
item = fold_panel.AddFoldPanel(_("Markers"), collapsed=True)
mtw = MarkersPanel(item, tracker)
fold_panel.ApplyCaptionStyle(item, style)
fold_panel.AddFoldPanelWindow(item, mtw, spacing= 0,
leftSpacing=0, rightSpacing=0)
# Fold 4 - Tractography panel
if has_trekker:
item = fold_panel.AddFoldPanel(_("Tractography"), collapsed=True)
otw = TractographyPanel(item)
fold_panel.ApplyCaptionStyle(item, style)
fold_panel.AddFoldPanelWindow(item, otw, spacing=0,
leftSpacing=0, rightSpacing=0)
# Fold 5 - DBS
self.dbs_item = fold_panel.AddFoldPanel(_("Deep Brain Stimulation"), collapsed=True)
dtw = DbsPanel(self.dbs_item) #Atribuir nova var, criar panel
fold_panel.ApplyCaptionStyle(self.dbs_item, style)
fold_panel.AddFoldPanelWindow(self.dbs_item, dtw, spacing= 0,
leftSpacing=0, rightSpacing=0)
self.dbs_item.Hide()
# Fold 6 - Sessions
item = fold_panel.AddFoldPanel(_("Sessions"), collapsed=False)
stw = SessionPanel(item)
fold_panel.ApplyCaptionStyle(item, style)
fold_panel.AddFoldPanelWindow(item, stw, spacing= 0,
leftSpacing=0, rightSpacing=0)
# Check box for camera update in volume rendering during navigation
tooltip = wx.ToolTip(_("Update camera in volume"))
checkcamera = wx.CheckBox(self, -1, _('Vol. camera'))
checkcamera.SetToolTip(tooltip)
checkcamera.SetValue(const.CAM_MODE)
checkcamera.Bind(wx.EVT_CHECKBOX, self.OnVolumeCamera)
self.checkcamera = checkcamera
# Check box to use serial port to trigger pulse signal and create markers
tooltip = wx.ToolTip(_("Enable serial port communication to trigger pulse and create markers"))
checkbox_serial_port = wx.CheckBox(self, -1, _('Serial port'))
checkbox_serial_port.SetToolTip(tooltip)
checkbox_serial_port.SetValue(False)
checkbox_serial_port.Bind(wx.EVT_CHECKBOX, partial(self.OnEnableSerialPort, ctrl=checkbox_serial_port))
self.checkbox_serial_port = checkbox_serial_port
# Check box for object position and orientation update in volume rendering during navigation
tooltip = wx.ToolTip(_("Show and track TMS coil"))
checkobj = wx.CheckBox(self, -1, _('Show coil'))
checkobj.SetToolTip(tooltip)
checkobj.SetValue(False)
checkobj.Disable()
checkobj.Bind(wx.EVT_CHECKBOX, self.OnShowObject)
self.checkobj = checkobj
# if sys.platform != 'win32':
self.checkcamera.SetWindowVariant(wx.WINDOW_VARIANT_SMALL)
checkbox_serial_port.SetWindowVariant(wx.WINDOW_VARIANT_SMALL)
checkobj.SetWindowVariant(wx.WINDOW_VARIANT_SMALL)
line_sizer = wx.BoxSizer(wx.HORIZONTAL)
line_sizer.Add(checkcamera, 0, wx.ALIGN_LEFT | wx.RIGHT | wx.LEFT, 5)
line_sizer.Add(checkbox_serial_port, 0, wx.ALIGN_CENTER)
line_sizer.Add(checkobj, 0, wx.RIGHT | wx.LEFT, 5)
line_sizer.Fit(self)
# Panel sizer to expand fold panel
sizer = wx.BoxSizer(wx.VERTICAL)
sizer.Add(fold_panel, 0, wx.GROW|wx.EXPAND)
sizer.Add(line_sizer, 1, wx.GROW | wx.EXPAND)
sizer.Fit(self)
self.track_obj = False
self.SetSizer(sizer)
self.Update()
self.SetAutoLayout(1)
def __bind_events(self):
Publisher.subscribe(self.OnCheckStatus, 'Navigation status')
Publisher.subscribe(self.OnShowObject, 'Update track object state')
Publisher.subscribe(self.OnVolumeCamera, 'Change camera checkbox')
Publisher.subscribe(self.OnShowDbs, "Active dbs folder")
Publisher.subscribe(self.OnHideDbs, "Deactive dbs folder")
def OnShowDbs(self):
self.dbs_item.Show()
def OnHideDbs(self):
self.dbs_item.Hide()
def OnCheckStatus(self, nav_status, vis_status):
if nav_status:
self.checkbox_serial_port.Enable(False)
self.checkobj.Enable(False)
else:
self.checkbox_serial_port.Enable(True)
if self.track_obj:
self.checkobj.Enable(True)
def OnEnableSerialPort(self, evt, ctrl):
if ctrl.GetValue():
from wx import ID_OK
dlg_port = dlg.SetCOMPort(select_baud_rate=False)
if dlg_port.ShowModal() != ID_OK:
ctrl.SetValue(False)
return
com_port = dlg_port.GetCOMPort()
baud_rate = 115200
Publisher.sendMessage('Update serial port', serial_port_in_use=True, com_port=com_port, baud_rate=baud_rate)
else:
Publisher.sendMessage('Update serial port', serial_port_in_use=False)
def OnShowObject(self, evt=None, flag=None, obj_name=None, polydata=None, use_default_object=True):
if not evt:
if flag:
self.checkobj.Enable(True)
self.checkobj.SetValue(True)
self.track_obj = True
Publisher.sendMessage('Status target button', status=True)
else:
self.checkobj.Enable(False)
self.checkobj.SetValue(False)
self.track_obj = False
Publisher.sendMessage('Status target button', status=False)
Publisher.sendMessage('Update show object state', state=self.checkobj.GetValue())
def OnVolumeCamera(self, evt=None, status=None):
if not evt:
self.checkcamera.SetValue(status)
Publisher.sendMessage('Update volume camera state', camera_state=self.checkcamera.GetValue())
class NeuronavigationPanel(wx.Panel):
def __init__(self, parent, tracker, pedal_connection, neuronavigation_api):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
self.SetBackgroundColour(default_colour)
self.SetAutoLayout(1)
self.__bind_events()
# Initialize global variables
self.pedal_connection = pedal_connection
self.navigation = Navigation(
pedal_connection=pedal_connection,
neuronavigation_api=neuronavigation_api,
)
self.icp = ICP()
self.tracker = tracker
self.robot = Robot(tracker)
self.nav_status = False
self.tracker_fiducial_being_set = None
self.current_coord = 0, 0, 0, None, None, None
# Initialize list of buttons and numctrls for wx objects
self.btns_set_fiducial = [None, None, None, None, None, None]
self.numctrls_fiducial = [[], [], [], [], [], []]
# ComboBox for spatial tracker device selection
tracker_options = [_("Select tracker:")] + self.tracker.get_trackers()
select_tracker_elem = wx.ComboBox(self, -1, "", size=(145, -1),
choices=tracker_options, style=wx.CB_DROPDOWN|wx.CB_READONLY)
tooltip = wx.ToolTip(_("Choose the tracking device"))
select_tracker_elem.SetToolTip(tooltip)
select_tracker_elem.SetSelection(const.DEFAULT_TRACKER)
select_tracker_elem.Bind(wx.EVT_COMBOBOX, partial(self.OnChooseTracker, ctrl=select_tracker_elem))
self.select_tracker_elem = select_tracker_elem
# ComboBox for tracker reference mode
tooltip = wx.ToolTip(_("Choose the navigation reference mode"))
choice_ref = wx.ComboBox(self, -1, "",
choices=const.REF_MODE, style=wx.CB_DROPDOWN|wx.CB_READONLY)
choice_ref.SetSelection(const.DEFAULT_REF_MODE)
choice_ref.SetToolTip(tooltip)
choice_ref.Bind(wx.EVT_COMBOBOX, partial(self.OnChooseReferenceMode, ctrl=select_tracker_elem))
self.choice_ref = choice_ref
# Toggle buttons for image fiducials
for n, fiducial in enumerate(const.IMAGE_FIDUCIALS):
button_id = fiducial['button_id']
label = fiducial['label']
tip = fiducial['tip']
ctrl = wx.ToggleButton(self, button_id, label=label)
ctrl.SetMinSize((gui_utils.calc_width_needed(ctrl, 3), -1))
ctrl.SetToolTip(wx.ToolTip(tip))
ctrl.Bind(wx.EVT_TOGGLEBUTTON, partial(self.OnImageFiducials, n))
self.btns_set_fiducial[n] = ctrl
# Push buttons for tracker fiducials
for n, fiducial in enumerate(const.TRACKER_FIDUCIALS):
button_id = fiducial['button_id']
label = fiducial['label']
tip = fiducial['tip']
ctrl = wx.ToggleButton(self, button_id, label=label)
ctrl.SetMinSize((gui_utils.calc_width_needed(ctrl, 3), -1))
ctrl.SetToolTip(wx.ToolTip(tip))
ctrl.Bind(wx.EVT_TOGGLEBUTTON, partial(self.OnTrackerFiducials, n, ctrl=ctrl))
self.btns_set_fiducial[n + 3] = ctrl
# TODO: Find a better alignment between FRE, text and navigate button
# Fiducial registration error text and checkbox
txt_fre = wx.StaticText(self, -1, _('FRE:'))
tooltip = wx.ToolTip(_("Fiducial registration error"))
txtctrl_fre = wx.TextCtrl(self, value="", size=wx.Size(60, -1), style=wx.TE_CENTRE)
txtctrl_fre.SetFont(wx.Font(9, wx.DEFAULT, wx.NORMAL, wx.BOLD))
txtctrl_fre.SetBackgroundColour('WHITE')
txtctrl_fre.SetEditable(0)
txtctrl_fre.SetToolTip(tooltip)
self.txtctrl_fre = txtctrl_fre
# Toggle button for neuronavigation
tooltip = wx.ToolTip(_("Start navigation"))
btn_nav = wx.ToggleButton(self, -1, _("Navigate"), size=wx.Size(80, -1))
btn_nav.SetToolTip(tooltip)
btn_nav.Bind(wx.EVT_TOGGLEBUTTON, partial(self.OnNavigate, btn_nav=btn_nav))
# "Refine" text and checkbox
txt_icp = wx.StaticText(self, -1, _('Refine:'))
tooltip = wx.ToolTip(_(u"Refine the coregistration"))
checkbox_icp = wx.CheckBox(self, -1, _(' '))
checkbox_icp.SetValue(False)
checkbox_icp.Enable(False)
checkbox_icp.Bind(wx.EVT_CHECKBOX, partial(self.OnCheckboxICP, ctrl=checkbox_icp))
checkbox_icp.SetToolTip(tooltip)
self.checkbox_icp = checkbox_icp
# "Pedal pressed" text and an indicator (checkbox) for pedal press
if pedal_connection is not None and pedal_connection.in_use:
txt_pedal_pressed = wx.StaticText(self, -1, _('Pedal pressed:'))
tooltip = wx.ToolTip(_(u"Is the pedal pressed"))
checkbox_pedal_pressed = wx.CheckBox(self, -1, _(' '))
checkbox_pedal_pressed.SetValue(False)
checkbox_pedal_pressed.Enable(False)
checkbox_pedal_pressed.SetToolTip(tooltip)
pedal_connection.add_callback(name='gui', callback=checkbox_pedal_pressed.SetValue)
self.checkbox_pedal_pressed = checkbox_pedal_pressed
else:
txt_pedal_pressed = None
self.checkbox_pedal_pressed = None
# "Lock to target" text and checkbox
tooltip = wx.ToolTip(_(u"Allow triggering stimulation pulse only if the coil is at the target"))
lock_to_target_text = wx.StaticText(self, -1, _('Lock to target:'))
lock_to_target_checkbox = wx.CheckBox(self, -1, _(' '))
lock_to_target_checkbox.SetValue(False)
lock_to_target_checkbox.Enable(False)
lock_to_target_checkbox.Bind(wx.EVT_CHECKBOX, partial(self.OnLockToTargetCheckbox, ctrl=lock_to_target_checkbox))
lock_to_target_checkbox.SetToolTip(tooltip)
self.lock_to_target_checkbox = lock_to_target_checkbox
# Image and tracker coordinates number controls
for m in range(len(self.btns_set_fiducial)):
for n in range(3):
self.numctrls_fiducial[m].append(
wx.lib.masked.numctrl.NumCtrl(parent=self, integerWidth=4, fractionWidth=1))
# Sizers to group all GUI objects
choice_sizer = wx.FlexGridSizer(rows=1, cols=2, hgap=5, vgap=5)
choice_sizer.AddMany([(select_tracker_elem, wx.LEFT),
(choice_ref, wx.RIGHT)])
coord_sizer = wx.GridBagSizer(hgap=5, vgap=5)
for m in range(len(self.btns_set_fiducial)):
coord_sizer.Add(self.btns_set_fiducial[m], pos=wx.GBPosition(m, 0))
for n in range(3):
coord_sizer.Add(self.numctrls_fiducial[m][n], pos=wx.GBPosition(m, n+1))
if m in range(1, 6):
self.numctrls_fiducial[m][n].SetEditable(False)
nav_sizer = wx.FlexGridSizer(rows=1, cols=5, hgap=5, vgap=5)
nav_sizer.AddMany([(txt_fre, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL),
(txtctrl_fre, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL),
(btn_nav, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL),
(txt_icp, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL),
(checkbox_icp, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL)])
checkboxes_sizer = wx.FlexGridSizer(rows=1, cols=4, hgap=5, vgap=5)
checkboxes_sizer.AddMany([(lock_to_target_text, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL),
(lock_to_target_checkbox, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL)])
if pedal_connection is not None and pedal_connection.in_use:
checkboxes_sizer.AddMany([(txt_pedal_pressed, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL),
(checkbox_pedal_pressed, 0, wx.ALIGN_CENTER_HORIZONTAL | wx.ALIGN_CENTER_VERTICAL)])
group_sizer = wx.FlexGridSizer(rows=10, cols=1, hgap=5, vgap=5)
group_sizer.AddGrowableCol(0, 1)
group_sizer.AddGrowableRow(0, 1)
group_sizer.AddGrowableRow(1, 1)
group_sizer.AddGrowableRow(2, 1)
group_sizer.SetFlexibleDirection(wx.BOTH)
group_sizer.AddMany([(choice_sizer, 0, wx.ALIGN_CENTER_HORIZONTAL),
(coord_sizer, 0, wx.ALIGN_CENTER_HORIZONTAL),
(nav_sizer, 0, wx.ALIGN_CENTER_HORIZONTAL),
(checkboxes_sizer, 0, wx.ALIGN_CENTER_HORIZONTAL)])
main_sizer = wx.BoxSizer(wx.HORIZONTAL)
main_sizer.Add(group_sizer, 1)# wx.ALIGN_CENTER_HORIZONTAL, 10)
self.sizer = main_sizer
self.SetSizer(main_sizer)
self.Fit()
def __bind_events(self):
Publisher.subscribe(self.LoadImageFiducials, 'Load image fiducials')
Publisher.subscribe(self.SetImageFiducial, 'Set image fiducial')
Publisher.subscribe(self.SetTrackerFiducial, 'Set tracker fiducial')
Publisher.subscribe(self.UpdateTrackObjectState, 'Update track object state')
Publisher.subscribe(self.UpdateImageCoordinates, 'Set cross focal point')
Publisher.subscribe(self.OnDisconnectTracker, 'Disconnect tracker')
Publisher.subscribe(self.UpdateObjectRegistration, 'Update object registration')
Publisher.subscribe(self.OnCloseProject, 'Close project data')
Publisher.subscribe(self.UpdateTrekkerObject, 'Update Trekker object')
Publisher.subscribe(self.UpdateNumTracts, 'Update number of tracts')
Publisher.subscribe(self.UpdateSeedOffset, 'Update seed offset')
Publisher.subscribe(self.UpdateSeedRadius, 'Update seed radius')
Publisher.subscribe(self.UpdateSleep, 'Update sleep')
Publisher.subscribe(self.UpdateNumberThreads, 'Update number of threads')
Publisher.subscribe(self.UpdateTractsVisualization, 'Update tracts visualization')
Publisher.subscribe(self.UpdatePeelVisualization, 'Update peel visualization')
Publisher.subscribe(self.EnableACT, 'Enable ACT')
Publisher.subscribe(self.UpdateACTData, 'Update ACT data')
Publisher.subscribe(self.UpdateNavigationStatus, 'Navigation status')
Publisher.subscribe(self.UpdateTarget, 'Update target')
Publisher.subscribe(self.OnStartNavigation, 'Start navigation')
Publisher.subscribe(self.OnStopNavigation, 'Stop navigation')
def LoadImageFiducials(self, label, coord):
fiducial = self.GetFiducialByAttribute(const.IMAGE_FIDUCIALS, 'label', label)
fiducial_index = fiducial['fiducial_index']
fiducial_name = fiducial['fiducial_name']
if self.btns_set_fiducial[fiducial_index].GetValue():
print("Fiducial {} already set, not resetting".format(label))
return
Publisher.sendMessage('Set image fiducial', fiducial_name=fiducial_name, coord=coord[0:3])
self.btns_set_fiducial[fiducial_index].SetValue(True)
for m in [0, 1, 2]:
self.numctrls_fiducial[fiducial_index][m].SetValue(coord[m])
def GetFiducialByAttribute(self, fiducials, attribute_name, attribute_value):
found = [fiducial for fiducial in fiducials if fiducial[attribute_name] == attribute_value]
assert len(found) != 0, "No fiducial found for which {} = {}".format(attribute_name, attribute_value)
return found[0]
def SetImageFiducial(self, fiducial_name, coord):
fiducial = self.GetFiducialByAttribute(const.IMAGE_FIDUCIALS, 'fiducial_name', fiducial_name)
fiducial_index = fiducial['fiducial_index']
self.navigation.SetImageFiducial(fiducial_index, coord)
def SetTrackerFiducial(self, fiducial_name):
if not self.tracker.IsTrackerInitialized():
dlg.ShowNavigationTrackerWarning(0, 'choose')
return
fiducial = self.GetFiducialByAttribute(const.TRACKER_FIDUCIALS, 'fiducial_name', fiducial_name)
fiducial_index = fiducial['fiducial_index']
# XXX: The reference mode is fetched from navigation object, however it seems like not quite
# navigation-related attribute here, as the reference mode used during the fiducial registration
# is more concerned with the calibration than the navigation.
#
ref_mode_id = self.navigation.GetReferenceMode()
self.tracker.SetTrackerFiducial(ref_mode_id, fiducial_index)
self.ResetICP()
self.tracker.UpdateUI(self.select_tracker_elem, self.numctrls_fiducial[3:6], self.txtctrl_fre)
def UpdatePeelVisualization(self, data):
self.navigation.peel_loaded = data
def UpdateNavigationStatus(self, nav_status, vis_status):
self.nav_status = nav_status
if nav_status and self.icp.m_icp is not None:
self.checkbox_icp.Enable(True)
else:
self.checkbox_icp.Enable(False)
def UpdateTrekkerObject(self, data):
# self.trk_inp = data
self.navigation.trekker = data
def UpdateNumTracts(self, data):
self.navigation.n_tracts = data
def UpdateSeedOffset(self, data):
self.navigation.seed_offset = data
def UpdateSeedRadius(self, data):
self.navigation.seed_radius = data
def UpdateSleep(self, data):
self.navigation.UpdateSleep(data)
def UpdateNumberThreads(self, data):
self.navigation.n_threads = data
def UpdateTractsVisualization(self, data):
self.navigation.view_tracts = data
def UpdateACTData(self, data):
self.navigation.act_data = data
def UpdateTarget(self, coord):
self.navigation.target = coord
self.lock_to_target_checkbox.Enable(True)
self.lock_to_target_checkbox.SetValue(True)
self.navigation.SetLockToTarget(True)
def EnableACT(self, data):
self.navigation.enable_act = data
def UpdateImageCoordinates(self, position):
# TODO: Change from world coordinates to matrix coordinates. They are better for multi software communication.
self.current_coord = position
for m in [0, 1, 2]:
if not self.btns_set_fiducial[m].GetValue():
for n in [0, 1, 2]:
self.numctrls_fiducial[m][n].SetValue(float(position[n]))
def UpdateObjectRegistration(self, data=None):
self.navigation.obj_reg = data
def UpdateTrackObjectState(self, evt=None, flag=None, obj_name=None, polydata=None, use_default_object=True):
self.navigation.track_obj = flag
def ResetICP(self):
self.icp.ResetICP()
self.checkbox_icp.Enable(False)
self.checkbox_icp.SetValue(False)
def OnDisconnectTracker(self):
if self.tracker.tracker_id == const.ROBOT:
self.robot.StopRobotThreadNavigation()
self.tracker.DisconnectTracker()
self.ResetICP()
self.tracker.UpdateUI(self.select_tracker_elem, self.numctrls_fiducial[3:6], self.txtctrl_fre)
def OnLockToTargetCheckbox(self, evt, ctrl):
value = ctrl.GetValue()
self.navigation.SetLockToTarget(value)
def OnChooseTracker(self, evt, ctrl):
Publisher.sendMessage('Update status text in GUI',
label=_("Configuring tracker ..."))
if hasattr(evt, 'GetSelection'):
choice = evt.GetSelection()
else:
choice = None
self.tracker.SetTracker(choice)
if self.tracker.tracker_id == const.ROBOT:
self.tracker.ConnectToRobot(self.navigation, self.tracker, self.robot)
self.ResetICP()
self.tracker.UpdateUI(ctrl, self.numctrls_fiducial[3:6], self.txtctrl_fre)
Publisher.sendMessage('Update status text in GUI', label=_("Ready"))
def OnChooseReferenceMode(self, evt, ctrl):
self.navigation.SetReferenceMode(evt.GetSelection())
# When ref mode is changed the tracker coordinates are set to zero
self.tracker.ResetTrackerFiducials()
# Some trackers do not accept restarting within this time window
# TODO: Improve the restarting of trackers after changing reference mode
self.ResetICP()
print("Reference mode changed!")
def OnImageFiducials(self, n, evt):
fiducial_name = const.IMAGE_FIDUCIALS[n]['fiducial_name']
# XXX: This is still a bit hard to read, could be cleaned up.
label = list(const.BTNS_IMG_MARKERS[evt.GetId()].values())[0]
if self.btns_set_fiducial[n].GetValue():
coord = self.numctrls_fiducial[n][0].GetValue(),\
self.numctrls_fiducial[n][1].GetValue(),\
self.numctrls_fiducial[n][2].GetValue(), None, None, None
Publisher.sendMessage('Set image fiducial', fiducial_name=fiducial_name, coord=coord[0:3])
colour = (0., 1., 0.)
size = 2
seed = 3 * [0.]
Publisher.sendMessage('Create marker', coord=coord, colour=colour, size=size,
label=label, seed=seed)
else:
for m in [0, 1, 2]:
self.numctrls_fiducial[n][m].SetValue(float(self.current_coord[m]))
Publisher.sendMessage('Set image fiducial', fiducial_name=fiducial_name, coord=np.nan)
Publisher.sendMessage('Delete fiducial marker', label=label)
def OnTrackerFiducials(self, n, evt, ctrl):
# Do not allow several tracker fiducials to be set at the same time.
if self.tracker_fiducial_being_set is not None and self.tracker_fiducial_being_set != n:
ctrl.SetValue(False)
return
# Called when the button for setting the tracker fiducial is enabled and either pedal is pressed
# or the button is pressed again.
#
def set_fiducial_callback(state):
if state:
fiducial_name = const.TRACKER_FIDUCIALS[n]['fiducial_name']
Publisher.sendMessage('Set tracker fiducial', fiducial_name=fiducial_name)
ctrl.SetValue(False)
self.tracker_fiducial_being_set = None
if ctrl.GetValue():
self.tracker_fiducial_being_set = n
if self.pedal_connection is not None:
self.pedal_connection.add_callback(
name='fiducial',
callback=set_fiducial_callback,
remove_when_released=True,
)
else:
set_fiducial_callback(True)
if self.pedal_connection is not None:
self.pedal_connection.remove_callback(name='fiducial')
def OnStopNavigation(self):
select_tracker_elem = self.select_tracker_elem
choice_ref = self.choice_ref
self.navigation.StopNavigation()
if self.tracker.tracker_id == const.ROBOT:
Publisher.sendMessage('Robot target matrix', robot_tracker_flag=False,
m_change_robot_to_head=None)
# Enable all navigation buttons
choice_ref.Enable(True)
select_tracker_elem.Enable(True)
for btn_c in self.btns_set_fiducial:
btn_c.Enable(True)
def CheckFiducialRegistrationError(self):
self.navigation.UpdateFiducialRegistrationError(self.tracker)
fre, fre_ok = self.navigation.GetFiducialRegistrationError(self.icp)
self.txtctrl_fre.SetValue(str(round(fre, 2)))
if fre_ok:
self.txtctrl_fre.SetBackgroundColour('GREEN')
else:
self.txtctrl_fre.SetBackgroundColour('RED')
return fre_ok
def OnStartNavigation(self):
select_tracker_elem = self.select_tracker_elem
choice_ref = self.choice_ref
if not self.tracker.AreTrackerFiducialsSet() or not self.navigation.AreImageFiducialsSet():
wx.MessageBox(_("Invalid fiducials, select all coordinates."), _("InVesalius 3"))
elif not self.tracker.IsTrackerInitialized():
dlg.ShowNavigationTrackerWarning(0, 'choose')
errors = True
else:
# Prepare GUI for navigation.
Publisher.sendMessage("Toggle Cross", id=const.SLICE_STATE_CROSS)
Publisher.sendMessage("Hide current mask")
# Disable all navigation buttons.
choice_ref.Enable(False)
select_tracker_elem.Enable(False)
for btn_c in self.btns_set_fiducial:
btn_c.Enable(False)
self.navigation.StartNavigation(self.tracker)
if not self.CheckFiducialRegistrationError():
# TODO: Exhibit FRE in a warning dialog and only starts navigation after user clicks ok
print("WARNING: Fiducial registration error too large.")
self.icp.StartICP(self.navigation, self.tracker)
if self.icp.use_icp:
self.checkbox_icp.Enable(True)
self.checkbox_icp.SetValue(True)
# Update FRE once more after starting the navigation, due to the optional use of ICP,
# which improves FRE.
self.CheckFiducialRegistrationError()
def OnNavigate(self, evt, btn_nav):
select_tracker_elem = self.select_tracker_elem
choice_ref = self.choice_ref
nav_id = btn_nav.GetValue()
if not nav_id:
Publisher.sendMessage("Stop navigation")
tooltip = wx.ToolTip(_("Start neuronavigation"))
btn_nav.SetToolTip(tooltip)
else:
Publisher.sendMessage("Start navigation")
if self.nav_status:
tooltip = wx.ToolTip(_("Stop neuronavigation"))
btn_nav.SetToolTip(tooltip)
else:
btn_nav.SetValue(False)
def ResetUI(self):
for m in range(0, 3):
self.btns_set_fiducial[m].SetValue(False)
for n in range(0, 3):
self.numctrls_fiducial[m][n].SetValue(0.0)
def OnCheckboxICP(self, evt, ctrl):
self.icp.SetICP(self.navigation, ctrl.GetValue())
self.CheckFiducialRegistrationError()
def OnCloseProject(self):
self.ResetUI()
Publisher.sendMessage('Disconnect tracker')
Publisher.sendMessage('Update object registration')
Publisher.sendMessage('Update track object state', flag=False, obj_name=False)
Publisher.sendMessage('Delete all markers')
Publisher.sendMessage("Update marker offset state", create=False)
Publisher.sendMessage("Remove tracts")
Publisher.sendMessage("Set cross visibility", visibility=0)
# TODO: Reset camera initial focus
Publisher.sendMessage('Reset cam clipping range')
self.navigation.StopNavigation()
self.navigation.__init__(
pedal_connection=self.pedal_connection,
)
self.tracker.__init__()
self.icp.__init__()
self.robot.__init__(self.tracker)
class ObjectRegistrationPanel(wx.Panel):
def __init__(self, parent, tracker, pedal_connection):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
self.SetBackgroundColour(default_colour)
self.coil_list = const.COIL
self.tracker = tracker
self.pedal_connection = pedal_connection
self.nav_prop = None
self.obj_fiducials = None
self.obj_orients = None
self.obj_ref_mode = None
self.obj_name = None
self.timestamp = const.TIMESTAMP
self.SetAutoLayout(1)
self.__bind_events()
# Button for creating new coil
tooltip = wx.ToolTip(_("Create new coil"))
btn_new = wx.Button(self, -1, _("New"), size=wx.Size(65, 23))
btn_new.SetToolTip(tooltip)
btn_new.Enable(1)
btn_new.Bind(wx.EVT_BUTTON, self.OnLinkCreate)
self.btn_new = btn_new
# Button for import config coil file
tooltip = wx.ToolTip(_("Load coil configuration file"))
btn_load = wx.Button(self, -1, _("Load"), size=wx.Size(65, 23))
btn_load.SetToolTip(tooltip)
btn_load.Enable(1)
btn_load.Bind(wx.EVT_BUTTON, self.OnLinkLoad)
self.btn_load = btn_load
# Save button for object registration
tooltip = wx.ToolTip(_(u"Save object registration file"))
btn_save = wx.Button(self, -1, _(u"Save"), size=wx.Size(65, 23))
btn_save.SetToolTip(tooltip)
btn_save.Enable(1)
btn_save.Bind(wx.EVT_BUTTON, self.ShowSaveObjectDialog)
self.btn_save = btn_save
# Create a horizontal sizer to represent button save
line_save = wx.BoxSizer(wx.HORIZONTAL)
line_save.Add(btn_new, 1, wx.LEFT | wx.TOP | wx.RIGHT, 4)
line_save.Add(btn_load, 1, wx.LEFT | wx.TOP | wx.RIGHT, 4)
line_save.Add(btn_save, 1, wx.LEFT | wx.TOP | wx.RIGHT, 4)
# Change angles threshold
text_angles = wx.StaticText(self, -1, _("Angle threshold [degrees]:"))
spin_size_angles = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23))
spin_size_angles.SetRange(0.1, 99)
spin_size_angles.SetValue(const.COIL_ANGLES_THRESHOLD)
spin_size_angles.Bind(wx.EVT_TEXT, partial(self.OnSelectAngleThreshold, ctrl=spin_size_angles))
spin_size_angles.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectAngleThreshold, ctrl=spin_size_angles))
# Change dist threshold
text_dist = wx.StaticText(self, -1, _("Distance threshold [mm]:"))
spin_size_dist = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23))
spin_size_dist.SetRange(0.1, 99)
spin_size_dist.SetValue(const.COIL_ANGLES_THRESHOLD)
spin_size_dist.Bind(wx.EVT_TEXT, partial(self.OnSelectDistThreshold, ctrl=spin_size_dist))
spin_size_dist.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectDistThreshold, ctrl=spin_size_dist))
# Change timestamp interval
text_timestamp = wx.StaticText(self, -1, _("Timestamp interval [s]:"))
spin_timestamp_dist = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23), inc = 0.1)
spin_timestamp_dist.SetRange(0.5, 60.0)
spin_timestamp_dist.SetValue(self.timestamp)
spin_timestamp_dist.Bind(wx.EVT_TEXT, partial(self.OnSelectTimestamp, ctrl=spin_timestamp_dist))
spin_timestamp_dist.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectTimestamp, ctrl=spin_timestamp_dist))
self.spin_timestamp_dist = spin_timestamp_dist
# Create a horizontal sizer to threshold configs
line_angle_threshold = wx.BoxSizer(wx.HORIZONTAL)
line_angle_threshold.AddMany([(text_angles, 1, wx.EXPAND | wx.GROW | wx.TOP| wx.RIGHT | wx.LEFT, 5),
(spin_size_angles, 0, wx.ALL | wx.EXPAND | wx.GROW, 5)])
line_dist_threshold = wx.BoxSizer(wx.HORIZONTAL)
line_dist_threshold.AddMany([(text_dist, 1, wx.EXPAND | wx.GROW | wx.TOP| wx.RIGHT | wx.LEFT, 5),
(spin_size_dist, 0, wx.ALL | wx.EXPAND | wx.GROW, 5)])
line_timestamp = wx.BoxSizer(wx.HORIZONTAL)
line_timestamp.AddMany([(text_timestamp, 1, wx.EXPAND | wx.GROW | wx.TOP| wx.RIGHT | wx.LEFT, 5),
(spin_timestamp_dist, 0, wx.ALL | wx.EXPAND | wx.GROW, 5)])
# Check box for trigger monitoring to create markers from serial port
checkrecordcoords = wx.CheckBox(self, -1, _('Record coordinates'))
checkrecordcoords.SetValue(False)
checkrecordcoords.Enable(0)
checkrecordcoords.Bind(wx.EVT_CHECKBOX, partial(self.OnRecordCoords, ctrl=checkrecordcoords))
self.checkrecordcoords = checkrecordcoords
# Check box to track object or simply the stylus
checktrack = wx.CheckBox(self, -1, _('Track object'))
checktrack.SetValue(False)
checktrack.Enable(0)
checktrack.Bind(wx.EVT_CHECKBOX, partial(self.OnTrackObject, ctrl=checktrack))
self.checktrack = checktrack
line_checks = wx.BoxSizer(wx.HORIZONTAL)
line_checks.Add(checkrecordcoords, 0, wx.ALIGN_LEFT | wx.RIGHT | wx.LEFT, 5)
line_checks.Add(checktrack, 0, wx.RIGHT | wx.LEFT, 5)
# Add line sizers into main sizer
main_sizer = wx.BoxSizer(wx.VERTICAL)
main_sizer.Add(line_save, 0, wx.LEFT | wx.RIGHT | wx.TOP | wx.ALIGN_CENTER_HORIZONTAL, 5)
main_sizer.Add(line_angle_threshold, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, 5)
main_sizer.Add(line_dist_threshold, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, 5)
main_sizer.Add(line_timestamp, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, 5)
main_sizer.Add(line_checks, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP | wx.BOTTOM, 10)
main_sizer.Fit(self)
self.SetSizer(main_sizer)
self.Update()
def __bind_events(self):
Publisher.subscribe(self.UpdateNavigationStatus, 'Navigation status')
Publisher.subscribe(self.OnCloseProject, 'Close project data')
Publisher.subscribe(self.OnRemoveObject, 'Remove object data')
def UpdateNavigationStatus(self, nav_status, vis_status):
if nav_status:
self.checkrecordcoords.Enable(1)
self.checktrack.Enable(0)
self.btn_save.Enable(0)
self.btn_new.Enable(0)
self.btn_load.Enable(0)
else:
self.OnRecordCoords(nav_status, self.checkrecordcoords)
self.checkrecordcoords.SetValue(False)
self.checkrecordcoords.Enable(0)
self.btn_save.Enable(1)
self.btn_new.Enable(1)
self.btn_load.Enable(1)
if self.obj_fiducials is not None:
self.checktrack.Enable(1)
#Publisher.sendMessage('Enable target button', True)
def OnSelectAngleThreshold(self, evt, ctrl):
Publisher.sendMessage('Update angle threshold', angle=ctrl.GetValue())
def OnSelectDistThreshold(self, evt, ctrl):
Publisher.sendMessage('Update dist threshold', dist_threshold=ctrl.GetValue())
def OnSelectTimestamp(self, evt, ctrl):
self.timestamp = ctrl.GetValue()
def OnRecordCoords(self, evt, ctrl):
if ctrl.GetValue() and evt:
self.spin_timestamp_dist.Enable(0)
self.thr_record = rec.Record(ctrl.GetValue(), self.timestamp)
elif (not ctrl.GetValue() and evt) or (ctrl.GetValue() and not evt) :
self.spin_timestamp_dist.Enable(1)
self.thr_record.stop()
elif not ctrl.GetValue() and not evt:
None
def OnTrackObject(self, evt, ctrl):
Publisher.sendMessage('Update track object state', flag=evt.GetSelection(), obj_name=self.obj_name)
def OnComboCoil(self, evt):
# coil_name = evt.GetString()
coil_index = evt.GetSelection()
Publisher.sendMessage('Change selected coil', self.coil_list[coil_index][1])
def OnLinkCreate(self, event=None):
if self.tracker.IsTrackerInitialized():
dialog = dlg.ObjectCalibrationDialog(self.tracker, self.pedal_connection)
try:
if dialog.ShowModal() == wx.ID_OK:
self.obj_fiducials, self.obj_orients, self.obj_ref_mode, self.obj_name, polydata, use_default_object = dialog.GetValue()
if np.isfinite(self.obj_fiducials).all() and np.isfinite(self.obj_orients).all():
self.checktrack.Enable(1)
Publisher.sendMessage('Update object registration',
data=(self.obj_fiducials, self.obj_orients, self.obj_ref_mode, self.obj_name))
Publisher.sendMessage('Update status text in GUI',
label=_("Ready"))
# Enable automatically Track object, Show coil and disable Vol. Camera
self.checktrack.SetValue(True)
Publisher.sendMessage(
'Update track object state',
flag=True,
obj_name=self.obj_name,
polydata=polydata,
use_default_object=use_default_object,
)
Publisher.sendMessage('Change camera checkbox', status=False)
except wx._core.PyAssertionError: # TODO FIX: win64
pass
else:
dlg.ShowNavigationTrackerWarning(0, 'choose')
def OnLinkLoad(self, event=None):
filename = dlg.ShowLoadSaveDialog(message=_(u"Load object registration"),
wildcard=_("Registration files (*.obr)|*.obr"))
# data_dir = os.environ.get('OneDrive') + r'\data\dti_navigation\baran\anat_reg_improve_20200609'
# coil_path = 'magstim_coil_dell_laptop.obr'
# filename = os.path.join(data_dir, coil_path)
try:
if filename:
with open(filename, 'r') as text_file:
data = [s.split('\t') for s in text_file.readlines()]
registration_coordinates = np.array(data[1:]).astype(np.float32)
self.obj_fiducials = registration_coordinates[:, :3]
self.obj_orients = registration_coordinates[:, 3:]
self.obj_name = data[0][1]
self.obj_ref_mode = int(data[0][-1])
self.checktrack.Enable(1)
self.checktrack.SetValue(True)
Publisher.sendMessage('Update object registration',
data=(self.obj_fiducials, self.obj_orients, self.obj_ref_mode, self.obj_name))
Publisher.sendMessage('Update status text in GUI',
label=_("Object file successfully loaded"))
Publisher.sendMessage('Update track object state', flag=True, obj_name=self.obj_name)
Publisher.sendMessage('Change camera checkbox', status=False)
wx.MessageBox(_("Object file successfully loaded"), _("InVesalius 3"))
except:
wx.MessageBox(_("Object registration file incompatible."), _("InVesalius 3"))
Publisher.sendMessage('Update status text in GUI', label="")
def ShowSaveObjectDialog(self, evt):
if np.isnan(self.obj_fiducials).any() or np.isnan(self.obj_orients).any():
wx.MessageBox(_("Digitize all object fiducials before saving"), _("Save error"))
else:
filename = dlg.ShowLoadSaveDialog(message=_(u"Save object registration as..."),
wildcard=_("Registration files (*.obr)|*.obr"),
style=wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT,
default_filename="object_registration.obr", save_ext="obr")
if filename:
hdr = 'Object' + "\t" + utils.decode(self.obj_name, const.FS_ENCODE) + "\t" + 'Reference' + "\t" + str('%d' % self.obj_ref_mode)
data = np.hstack([self.obj_fiducials, self.obj_orients])
np.savetxt(filename, data, fmt='%.4f', delimiter='\t', newline='\n', header=hdr)
wx.MessageBox(_("Object file successfully saved"), _("Save"))
def OnCloseProject(self):
self.OnRemoveObject()
def OnRemoveObject(self):
self.checkrecordcoords.SetValue(False)
self.checkrecordcoords.Enable(0)
self.checktrack.SetValue(False)
self.checktrack.Enable(0)
self.nav_prop = None
self.obj_fiducials = None
self.obj_orients = None
self.obj_ref_mode = None
self.obj_name = None
self.timestamp = const.TIMESTAMP
Publisher.sendMessage('Update track object state', flag=False, obj_name=False)
class MarkersPanel(wx.Panel):
@dataclasses.dataclass
class Marker:
"""Class for storing markers. @dataclass decorator simplifies
setting default values, serialization, etc."""
x : float = 0
y : float = 0
z : float = 0
alpha : float = dataclasses.field(default = None)
beta : float = dataclasses.field(default = None)
gamma : float = dataclasses.field(default = None)
r : float = 0
g : float = 1
b : float = 0
size : int = 2
label : str = '*'
x_seed : float = 0
y_seed : float = 0
z_seed : float = 0
is_target : bool = False
session_id : int = 1
# x, y, z, alpha, beta, gamma can be jointly accessed as coord
@property
def coord(self):
return list((self.x, self.y, self.z, self.alpha, self.beta, self.gamma))
@coord.setter
def coord(self, new_coord):
self.x, self.y, self.z, self.alpha, self.beta, self.gamma = new_coord
# r, g, b can be jointly accessed as colour
@property
def colour(self):
return list((self.r, self.g, self.b),)
@colour.setter
def colour(self, new_colour):
self.r, self.g, self.b = new_colour
# x_seed, y_seed, z_seed can be jointly accessed as seed
@property
def seed(self):
return list((self.x_seed, self.y_seed, self.z_seed),)
@seed.setter
def seed(self, new_seed):
self.x_seed, self.y_seed, self.z_seed = new_seed
@classmethod
def to_string_headers(cls):
"""Return the string containing tab-separated list of field names (headers)."""
res = [field.name for field in dataclasses.fields(cls)]
res.extend(['x_world', 'y_world', 'z_world', 'alpha_world', 'beta_world', 'gamma_world'])
return '\t'.join(map(lambda x: '\"%s\"' % x, res))
def to_string(self):
"""Serialize to excel-friendly tab-separated string"""
res = ''
for field in dataclasses.fields(self.__class__):
if field.type is str:
res += ('\"%s\"\t' % getattr(self, field.name))
else:
res += ('%s\t' % str(getattr(self, field.name)))
if self.alpha is not None and self.beta is not None and self.gamma is not None:
# Add world coordinates (in addition to the internal ones).
position_world, orientation_world = imagedata_utils.convert_invesalius_to_world(
position=[self.x, self.y, self.z],
orientation=[self.alpha, self.beta, self.gamma],
)
else:
position_world, orientation_world = imagedata_utils.convert_invesalius_to_world(
position=[self.x, self.y, self.z],
orientation=[0,0,0],
)
res += '\t'.join(map(lambda x: 'N/A' if x is None else str(x), (*position_world, *orientation_world)))
return res
def from_string(self, inp_str):
"""Deserialize from a tab-separated string. If the string is not
properly formatted, might throw an exception and leave the object
in an inconsistent state."""
for field, str_val in zip(dataclasses.fields(self.__class__), inp_str.split('\t')):
if field.type is float and str_val != 'None':
setattr(self, field.name, float(str_val))
if field.type is float and str_val == 'None':
setattr(self, field.name, None)
if field.type is int:
setattr(self, field.name, int(str_val))
if field.type is str:
setattr(self, field.name, str_val[1:-1]) # remove the quotation marks
if field.type is bool:
setattr(self, field.name, str_val=='True')
@dataclasses.dataclass
class Robot_Marker:
"""Class for storing robot target."""
m_robot_target : list = None
@property
def robot_target_matrix(self):
return self.m_robot_target
@robot_target_matrix.setter
def robot_target_matrix(self, new_m_robot_target):
self.m_robot_target = new_m_robot_target
def __init__(self, parent, tracker):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
self.SetBackgroundColour(default_colour)
self.SetAutoLayout(1)
self.tracker = tracker
self.__bind_events()
self.session = ses.Session()
self.current_coord = 0, 0, 0, None, None, None
self.current_seed = 0, 0, 0
self.current_robot_target_matrix = [None] * 9
self.markers = []
self.robot_markers = []
self.nav_status = False
self.raw_target_robot = None, None
self.marker_colour = const.MARKER_COLOUR
self.marker_size = const.MARKER_SIZE
self.arrow_marker_size = const.ARROW_MARKER_SIZE
self.current_session = 1
# Change marker size
spin_size = wx.SpinCtrl(self, -1, "", size=wx.Size(40, 23))
spin_size.SetRange(1, 99)
spin_size.SetValue(self.marker_size)
spin_size.Bind(wx.EVT_TEXT, partial(self.OnSelectSize, ctrl=spin_size))
spin_size.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectSize, ctrl=spin_size))
# Marker colour select
select_colour = csel.ColourSelect(self, -1, colour=[255*s for s in self.marker_colour], size=wx.Size(20, 23))
select_colour.Bind(csel.EVT_COLOURSELECT, partial(self.OnSelectColour, ctrl=select_colour))
btn_create = wx.Button(self, -1, label=_('Create marker'), size=wx.Size(135, 23))
btn_create.Bind(wx.EVT_BUTTON, self.OnCreateMarker)
sizer_create = wx.FlexGridSizer(rows=1, cols=3, hgap=5, vgap=5)
sizer_create.AddMany([(spin_size, 1),
(select_colour, 0),
(btn_create, 0)])
# Buttons to save and load markers and to change its visibility as well
btn_save = wx.Button(self, -1, label=_('Save'), size=wx.Size(65, 23))
btn_save.Bind(wx.EVT_BUTTON, self.OnSaveMarkers)
btn_load = wx.Button(self, -1, label=_('Load'), size=wx.Size(65, 23))
btn_load.Bind(wx.EVT_BUTTON, self.OnLoadMarkers)
btn_visibility = wx.ToggleButton(self, -1, _("Hide"), size=wx.Size(65, 23))
btn_visibility.Bind(wx.EVT_TOGGLEBUTTON, partial(self.OnMarkersVisibility, ctrl=btn_visibility))
sizer_btns = wx.FlexGridSizer(rows=1, cols=3, hgap=5, vgap=5)
sizer_btns.AddMany([(btn_save, 1, wx.RIGHT),
(btn_load, 0, wx.LEFT | wx.RIGHT),
(btn_visibility, 0, wx.LEFT)])
# Buttons to delete or remove markers
btn_delete_single = wx.Button(self, -1, label=_('Remove'), size=wx.Size(65, 23))
btn_delete_single.Bind(wx.EVT_BUTTON, self.OnDeleteMultipleMarkers)
btn_delete_all = wx.Button(self, -1, label=_('Delete all'), size=wx.Size(135, 23))
btn_delete_all.Bind(wx.EVT_BUTTON, self.OnDeleteAllMarkers)
sizer_delete = wx.FlexGridSizer(rows=1, cols=2, hgap=5, vgap=5)
sizer_delete.AddMany([(btn_delete_single, 1, wx.RIGHT),
(btn_delete_all, 0, wx.LEFT)])
# List of markers
self.lc = wx.ListCtrl(self, -1, style=wx.LC_REPORT, size=wx.Size(0,120))
self.lc.InsertColumn(const.ID_COLUMN, '#')
self.lc.SetColumnWidth(const.ID_COLUMN, 28)
self.lc.InsertColumn(const.SESSION_COLUMN, 'Session')
self.lc.SetColumnWidth(const.SESSION_COLUMN, 52)
self.lc.InsertColumn(const.LABEL_COLUMN, 'Label')
self.lc.SetColumnWidth(const.LABEL_COLUMN, 118)
self.lc.InsertColumn(const.TARGET_COLUMN, 'Target')
self.lc.SetColumnWidth(const.TARGET_COLUMN, 45)
if self.session.debug:
self.lc.InsertColumn(const.X_COLUMN, 'X')
self.lc.SetColumnWidth(const.X_COLUMN, 45)
self.lc.InsertColumn(const.Y_COLUMN, 'Y')
self.lc.SetColumnWidth(const.Y_COLUMN, 45)
self.lc.InsertColumn(const.Z_COLUMN, 'Z')
self.lc.SetColumnWidth(const.Z_COLUMN, 45)
self.lc.Bind(wx.EVT_LIST_ITEM_RIGHT_CLICK, self.OnMouseRightDown)
self.lc.Bind(wx.EVT_LIST_ITEM_ACTIVATED, self.OnItemBlink)
self.lc.Bind(wx.EVT_LIST_ITEM_DESELECTED, self.OnStopItemBlink)
# Add all lines into main sizer
group_sizer = wx.BoxSizer(wx.VERTICAL)
group_sizer.Add(sizer_create, 0, wx.TOP | wx.BOTTOM | wx.ALIGN_CENTER_HORIZONTAL, 5)
group_sizer.Add(sizer_btns, 0, wx.BOTTOM | wx.ALIGN_CENTER_HORIZONTAL, 5)
group_sizer.Add(sizer_delete, 0, wx.BOTTOM | wx.ALIGN_CENTER_HORIZONTAL, 5)
group_sizer.Add(self.lc, 0, wx.EXPAND | wx.ALL, 5)
group_sizer.Fit(self)
self.SetSizer(group_sizer)
self.Update()
def __bind_events(self):
Publisher.subscribe(self.UpdateCurrentCoord, 'Set cross focal point')
Publisher.subscribe(self.OnDeleteMultipleMarkers, 'Delete fiducial marker')
Publisher.subscribe(self.OnDeleteAllMarkers, 'Delete all markers')
Publisher.subscribe(self.CreateMarker, 'Create marker')
Publisher.subscribe(self.UpdateNavigationStatus, 'Navigation status')
Publisher.subscribe(self.UpdateSeedCoordinates, 'Update tracts')
Publisher.subscribe(self.OnChangeCurrentSession, 'Current session changed')
Publisher.subscribe(self.UpdateRobotCoordinates, 'Update raw coordinates')
def __find_target_marker(self):
"""
Return the index of the marker currently selected as target (there
should be at most one). If there is no such marker, return None.
"""
for i in range(len(self.markers)):
if self.markers[i].is_target:
return i
return None
def __get_selected_items(self):
"""
Returns a (possibly empty) list of the selected items in the list control.
"""
selection = []
next = self.lc.GetFirstSelected()
while next != -1:
selection.append(next)
next = self.lc.GetNextSelected(next)
return selection
def __delete_multiple_markers(self, index):
"""
Delete multiple markers indexed by index. index must be sorted in
the ascending order.
"""
for i in reversed(index):
del self.markers[i]
del self.robot_markers[i]
self.lc.DeleteItem(i)
for n in range(0, self.lc.GetItemCount()):
self.lc.SetItem(n, 0, str(n + 1))
Publisher.sendMessage('Remove multiple markers', index=index)
def __set_marker_as_target(self, idx):
"""
Set marker indexed by idx as the new target. idx must be a valid index.
"""
# Find the previous target
prev_idx = self.__find_target_marker()
# If the new target is same as the previous do nothing.
if prev_idx == idx:
return
# Unset the previous target
if prev_idx is not None:
self.markers[prev_idx].is_target = False
self.lc.SetItemBackgroundColour(prev_idx, 'white')
Publisher.sendMessage('Set target transparency', status=False, index=prev_idx)
self.lc.SetItem(prev_idx, const.TARGET_COLUMN, "")
# Set the new target
self.markers[idx].is_target = True
self.lc.SetItemBackgroundColour(idx, 'RED')
self.lc.SetItem(idx, const.TARGET_COLUMN, _("Yes"))
Publisher.sendMessage('Update target', coord=self.markers[idx].coord)
Publisher.sendMessage('Set target transparency', status=True, index=idx)
wx.MessageBox(_("New target selected."), _("InVesalius 3"))
@staticmethod
def __list_fiducial_labels():
"""Return the list of marker labels denoting fiducials."""
return list(itertools.chain(*(const.BTNS_IMG_MARKERS[i].values() for i in const.BTNS_IMG_MARKERS)))
def UpdateCurrentCoord(self, position):
self.current_coord = list(position)
def UpdateNavigationStatus(self, nav_status, vis_status):
if not nav_status:
self.current_coord = [None, None, None]
self.nav_status = False
else:
self.nav_status = True
def UpdateSeedCoordinates(self, root=None, affine_vtk=None, coord_offset=(0, 0, 0), coord_offset_w=(0, 0, 0)):
self.current_seed = coord_offset_w
def UpdateRobotCoordinates(self, coordinates_raw, markers_flag):
self.raw_target_robot = coordinates_raw[1], coordinates_raw[2]
def OnMouseRightDown(self, evt):
# TODO: Enable the "Set as target" only when target is created with registered object
menu_id = wx.Menu()
edit_id = menu_id.Append(0, _('Edit label'))
menu_id.Bind(wx.EVT_MENU, self.OnMenuEditMarkerLabel, edit_id)
color_id = menu_id.Append(2, _('Edit color'))
menu_id.Bind(wx.EVT_MENU, self.OnMenuSetColor, color_id)
menu_id.AppendSeparator()
target_menu = menu_id.Append(1, _('Set as target'))
menu_id.Bind(wx.EVT_MENU, self.OnMenuSetTarget, target_menu)
menu_id.AppendSeparator()
send_target_to_robot = menu_id.Append(3, _('Send target to robot'))
menu_id.Bind(wx.EVT_MENU, self.OnMenuSendTargetToRobot, send_target_to_robot)
# Enable "Send target to robot" button only if tracker is robot, if navigation is on and if target is not none
m_target_robot = np.array([self.robot_markers[self.lc.GetFocusedItem()].robot_target_matrix])
if self.tracker.tracker_id == const.ROBOT and self.nav_status and m_target_robot.any():
send_target_to_robot.Enable(True)
else:
send_target_to_robot.Enable(False)
# TODO: Create the remove target option so the user can disable the target without removing the marker
# target_menu_rem = menu_id.Append(3, _('Remove target'))
# menu_id.Bind(wx.EVT_MENU, self.OnMenuRemoveTarget, target_menu_rem)
target_menu.Enable(True)
self.PopupMenu(menu_id)
menu_id.Destroy()
def OnItemBlink(self, evt):
Publisher.sendMessage('Blink Marker', index=self.lc.GetFocusedItem())
def OnStopItemBlink(self, evt):
Publisher.sendMessage('Stop Blink Marker')
def OnMenuEditMarkerLabel(self, evt):
list_index = self.lc.GetFocusedItem()
if list_index != -1:
new_label = dlg.ShowEnterMarkerID(self.lc.GetItemText(list_index, const.LABEL_COLUMN))
self.markers[list_index].label = str(new_label)
self.lc.SetItem(list_index, const.LABEL_COLUMN, new_label)
else:
wx.MessageBox(_("No data selected."), _("InVesalius 3"))
def OnMenuSetTarget(self, evt):
idx = self.lc.GetFocusedItem()
if idx != -1:
self.__set_marker_as_target(idx)
else:
wx.MessageBox(_("No data selected."), _("InVesalius 3"))
def OnMenuSetColor(self, evt):
index = self.lc.GetFocusedItem()
if index == -1:
wx.MessageBox(_("No data selected."), _("InVesalius 3"))
return
color_current = [ch * 255 for ch in self.markers[index].colour]
color_new = dlg.ShowColorDialog(color_current=color_current)
if color_new:
assert len(color_new) == 3
# XXX: Seems like a slightly too early point for rounding; better to round only when the value
# is printed to the screen or file.
#
self.markers[index].colour = [round(s / 255.0, 3) for s in color_new]
Publisher.sendMessage('Set new color', index=index, color=color_new)
def OnMenuSendTargetToRobot(self, evt):
if isinstance(evt, int):
self.lc.Focus(evt)
m_target_robot = self.robot_markers[self.lc.GetFocusedItem()].robot_target_matrix
Publisher.sendMessage('Reset robot process')
Publisher.sendMessage('Robot target matrix', robot_tracker_flag=True, m_change_robot_to_head=m_target_robot)
def OnDeleteAllMarkers(self, evt=None):
if evt is not None:
result = dlg.ShowConfirmationDialog(msg=_("Remove all markers? Cannot be undone."))
if result != wx.ID_OK:
return
if self.__find_target_marker() is not None:
Publisher.sendMessage('Disable or enable coil tracker', status=False)
if evt is not None:
wx.MessageBox(_("Target deleted."), _("InVesalius 3"))
self.markers = []
self.robot_markers = []
Publisher.sendMessage('Remove all markers', indexes=self.lc.GetItemCount())
self.lc.DeleteAllItems()
Publisher.sendMessage('Stop Blink Marker', index='DeleteAll')
def OnDeleteMultipleMarkers(self, evt=None, label=None):
# OnDeleteMultipleMarkers is used for both pubsub and button click events
# Pubsub is used for fiducial handle and button click for all others
# called through pubsub
if not evt:
index = []
if label and (label in self.__list_fiducial_labels()):
for id_n in range(self.lc.GetItemCount()):
item = self.lc.GetItem(id_n, const.LABEL_COLUMN)
if item.GetText() == label:
self.lc.Focus(item.GetId())
index = [self.lc.GetFocusedItem()]
# called from button click
else:
index = self.__get_selected_items()
if index:
if self.__find_target_marker() in index:
Publisher.sendMessage('Disable or enable coil tracker', status=False)
if self.tracker.tracker_id == const.ROBOT:
Publisher.sendMessage('Robot target matrix', robot_tracker_flag=False,
m_change_robot_to_head=[])
wx.MessageBox(_("Target deleted."), _("InVesalius 3"))
self.__delete_multiple_markers(index)
else:
if evt: # Don't show the warning if called through pubsub
wx.MessageBox(_("No data selected."), _("InVesalius 3"))
def OnCreateMarker(self, evt):
self.CreateMarker()
def OnLoadMarkers(self, evt):
"""Loads markers from file and appends them to the current marker list.
The file should contain no more than a single target marker. Also the
file should not contain any fiducials already in the list."""
filename = dlg.ShowLoadSaveDialog(message=_(u"Load markers"),
wildcard=const.WILDCARD_MARKER_FILES)
if not filename:
return
try:
with open(filename, 'r') as file:
magick_line = file.readline()
assert magick_line.startswith(const.MARKER_FILE_MAGICK_STRING)
ver = int(magick_line.split('_')[-1])
if ver != 0:
wx.MessageBox(_("Unknown version of the markers file."), _("InVesalius 3"))
return
file.readline() # skip the header line
# Read the data lines and create markers
for line in file.readlines():
marker = self.Marker()
marker.from_string(line)
self.CreateMarker(coord=marker.coord, colour=marker.colour, size=marker.size,
label=marker.label, is_target=False, seed=marker.seed, session_id=marker.session_id)
if marker.label in self.__list_fiducial_labels():
Publisher.sendMessage('Load image fiducials', label=marker.label, coord=marker.coord)
# If the new marker has is_target=True, we first create
# a marker with is_target=False, and then call __set_marker_as_target
if marker.is_target:
self.__set_marker_as_target(len(self.markers) - 1)
except Exception as e:
wx.MessageBox(_("Invalid markers file."), _("InVesalius 3"))
def OnMarkersVisibility(self, evt, ctrl):
if ctrl.GetValue():
Publisher.sendMessage('Hide all markers', indexes=self.lc.GetItemCount())
ctrl.SetLabel('Show')
else:
Publisher.sendMessage('Show all markers', indexes=self.lc.GetItemCount())
ctrl.SetLabel('Hide')
def OnSaveMarkers(self, evt):
prj_data = prj.Project()
timestamp = time.localtime(time.time())
stamp_date = '{:0>4d}{:0>2d}{:0>2d}'.format(timestamp.tm_year, timestamp.tm_mon, timestamp.tm_mday)
stamp_time = '{:0>2d}{:0>2d}{:0>2d}'.format(timestamp.tm_hour, timestamp.tm_min, timestamp.tm_sec)
sep = '-'
parts = [stamp_date, stamp_time, prj_data.name, 'markers']
default_filename = sep.join(parts) + '.mkss'
filename = dlg.ShowLoadSaveDialog(message=_(u"Save markers as..."),
wildcard=const.WILDCARD_MARKER_FILES,
style=wx.FD_SAVE | wx.FD_OVERWRITE_PROMPT,
default_filename=default_filename)
if not filename:
return
try:
with open(filename, 'w', newline='') as file:
file.writelines(['%s%i\n' % (const.MARKER_FILE_MAGICK_STRING, const.CURRENT_MARKER_FILE_VERSION)])
file.writelines(['%s\n' % self.Marker.to_string_headers()])
file.writelines('%s\n' % marker.to_string() for marker in self.markers)
file.close()
except:
wx.MessageBox(_("Error writing markers file."), _("InVesalius 3"))
def OnSelectColour(self, evt, ctrl):
# TODO: Make sure GetValue returns 3 numbers (without alpha)
self.marker_colour = [colour / 255.0 for colour in ctrl.GetValue()][:3]
def OnSelectSize(self, evt, ctrl):
self.marker_size = ctrl.GetValue()
def OnChangeCurrentSession(self, new_session_id):
self.current_session = new_session_id
def CreateMarker(self, coord=None, colour=None, size=None, label='*', is_target=False, seed=None, session_id=None):
new_marker = self.Marker()
new_marker.coord = coord or self.current_coord
new_marker.colour = colour or self.marker_colour
new_marker.size = size or self.marker_size
new_marker.label = label
new_marker.is_target = is_target
new_marker.seed = seed or self.current_seed
new_marker.session_id = session_id or self.current_session
if self.tracker.tracker_id == const.ROBOT and self.nav_status:
self.current_robot_target_matrix = db.compute_robot_to_head_matrix(self.raw_target_robot)
else:
self.current_robot_target_matrix = [None] * 9
new_robot_marker = self.Robot_Marker()
new_robot_marker.robot_target_matrix = self.current_robot_target_matrix
# Note that ball_id is zero-based, so we assign it len(self.markers) before the new marker is added
if all([elem is not None for elem in new_marker.coord[3:]]):
Publisher.sendMessage('Add arrow marker', arrow_id=len(self.markers),
size=self.arrow_marker_size,
color=new_marker.colour,
coord=new_marker.coord)
else:
Publisher.sendMessage('Add marker', ball_id=len(self.markers),
size=new_marker.size,
colour=new_marker.colour,
coord=new_marker.coord[:3])
self.markers.append(new_marker)
self.robot_markers.append(new_robot_marker)
# Add item to list control in panel
num_items = self.lc.GetItemCount()
self.lc.InsertItem(num_items, str(num_items + 1))
self.lc.SetItem(num_items, const.SESSION_COLUMN, str(new_marker.session_id))
self.lc.SetItem(num_items, const.LABEL_COLUMN, new_marker.label)
if self.session.debug:
self.lc.SetItem(num_items, const.X_COLUMN, str(round(new_marker.x, 1)))
self.lc.SetItem(num_items, const.Y_COLUMN, str(round(new_marker.y, 1)))
self.lc.SetItem(num_items, const.Z_COLUMN, str(round(new_marker.z, 1)))
self.lc.EnsureVisible(num_items)
class DbsPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
class TractographyPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
self.SetBackgroundColour(default_colour)
self.affine = np.identity(4)
self.affine_vtk = None
self.trekker = None
self.n_tracts = const.N_TRACTS
self.peel_depth = const.PEEL_DEPTH
self.view_tracts = False
self.seed_offset = const.SEED_OFFSET
self.seed_radius = const.SEED_RADIUS
self.sleep_nav = const.SLEEP_NAVIGATION
self.brain_opacity = const.BRAIN_OPACITY
self.brain_peel = None
self.brain_actor = None
self.n_peels = const.MAX_PEEL_DEPTH
self.p_old = np.array([[0., 0., 0.]])
self.tracts_run = None
self.trekker_cfg = const.TREKKER_CONFIG
self.nav_status = False
self.peel_loaded = False
self.SetAutoLayout(1)
self.__bind_events()
# Button for import config coil file
tooltip = wx.ToolTip(_("Load FOD"))
btn_load = wx.Button(self, -1, _("FOD"), size=wx.Size(50, 23))
btn_load.SetToolTip(tooltip)
btn_load.Enable(1)
btn_load.Bind(wx.EVT_BUTTON, self.OnLinkFOD)
# self.btn_load = btn_load
# Save button for object registration
tooltip = wx.ToolTip(_(u"Load Trekker configuration parameters"))
btn_load_cfg = wx.Button(self, -1, _(u"Configure"), size=wx.Size(65, 23))
btn_load_cfg.SetToolTip(tooltip)
btn_load_cfg.Enable(1)
btn_load_cfg.Bind(wx.EVT_BUTTON, self.OnLoadParameters)
# self.btn_load_cfg = btn_load_cfg
# Button for creating new coil
tooltip = wx.ToolTip(_("Load brain visualization"))
btn_mask = wx.Button(self, -1, _("Brain"), size=wx.Size(50, 23))
btn_mask.SetToolTip(tooltip)
btn_mask.Enable(1)
btn_mask.Bind(wx.EVT_BUTTON, self.OnLinkBrain)
# self.btn_new = btn_new
# Button for creating new coil
tooltip = wx.ToolTip(_("Load anatomical labels"))
btn_act = wx.Button(self, -1, _("ACT"), size=wx.Size(50, 23))
btn_act.SetToolTip(tooltip)
btn_act.Enable(1)
btn_act.Bind(wx.EVT_BUTTON, self.OnLoadACT)
# self.btn_new = btn_new
# Create a horizontal sizer to represent button save
line_btns = wx.BoxSizer(wx.HORIZONTAL)
line_btns.Add(btn_load, 1, wx.LEFT | wx.TOP | wx.RIGHT, 2)
line_btns.Add(btn_load_cfg, 1, wx.LEFT | wx.TOP | wx.RIGHT, 2)
line_btns.Add(btn_mask, 1, wx.LEFT | wx.TOP | wx.RIGHT, 2)
line_btns.Add(btn_act, 1, wx.LEFT | wx.TOP | wx.RIGHT, 2)
# Change peeling depth
text_peel_depth = wx.StaticText(self, -1, _("Peeling depth (mm):"))
spin_peel_depth = wx.SpinCtrl(self, -1, "", size=wx.Size(50, 23))
spin_peel_depth.Enable(1)
spin_peel_depth.SetRange(0, const.MAX_PEEL_DEPTH)
spin_peel_depth.SetValue(const.PEEL_DEPTH)
spin_peel_depth.Bind(wx.EVT_TEXT, partial(self.OnSelectPeelingDepth, ctrl=spin_peel_depth))
spin_peel_depth.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectPeelingDepth, ctrl=spin_peel_depth))
# Change number of tracts
text_ntracts = wx.StaticText(self, -1, _("Number tracts:"))
spin_ntracts = wx.SpinCtrl(self, -1, "", size=wx.Size(50, 23))
spin_ntracts.Enable(1)
spin_ntracts.SetRange(1, 2000)
spin_ntracts.SetValue(const.N_TRACTS)
spin_ntracts.Bind(wx.EVT_TEXT, partial(self.OnSelectNumTracts, ctrl=spin_ntracts))
spin_ntracts.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectNumTracts, ctrl=spin_ntracts))
# Change seed offset for computing tracts
text_offset = wx.StaticText(self, -1, _("Seed offset (mm):"))
spin_offset = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23), inc = 0.1)
spin_offset.Enable(1)
spin_offset.SetRange(0, 100.0)
spin_offset.SetValue(self.seed_offset)
spin_offset.Bind(wx.EVT_TEXT, partial(self.OnSelectOffset, ctrl=spin_offset))
spin_offset.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectOffset, ctrl=spin_offset))
# self.spin_offset = spin_offset
# Change seed radius for computing tracts
text_radius = wx.StaticText(self, -1, _("Seed radius (mm):"))
spin_radius = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23), inc=0.1)
spin_radius.Enable(1)
spin_radius.SetRange(0, 100.0)
spin_radius.SetValue(self.seed_radius)
spin_radius.Bind(wx.EVT_TEXT, partial(self.OnSelectRadius, ctrl=spin_radius))
spin_radius.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectRadius, ctrl=spin_radius))
# self.spin_radius = spin_radius
# Change sleep pause between navigation loops
text_sleep = wx.StaticText(self, -1, _("Sleep (s):"))
spin_sleep = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23), inc=0.01)
spin_sleep.Enable(1)
spin_sleep.SetRange(0.01, 10.0)
spin_sleep.SetValue(self.sleep_nav)
spin_sleep.Bind(wx.EVT_TEXT, partial(self.OnSelectSleep, ctrl=spin_sleep))
spin_sleep.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectSleep, ctrl=spin_sleep))
# Change opacity of brain mask visualization
text_opacity = wx.StaticText(self, -1, _("Brain opacity:"))
spin_opacity = wx.SpinCtrlDouble(self, -1, "", size=wx.Size(50, 23), inc=0.1)
spin_opacity.Enable(0)
spin_opacity.SetRange(0, 1.0)
spin_opacity.SetValue(self.brain_opacity)
spin_opacity.Bind(wx.EVT_TEXT, partial(self.OnSelectOpacity, ctrl=spin_opacity))
spin_opacity.Bind(wx.EVT_SPINCTRL, partial(self.OnSelectOpacity, ctrl=spin_opacity))
self.spin_opacity = spin_opacity
# Create a horizontal sizer to threshold configs
border = 1
line_peel_depth = wx.BoxSizer(wx.HORIZONTAL)
line_peel_depth.AddMany([(text_peel_depth, 1, wx.EXPAND | wx.GROW | wx.TOP | wx.RIGHT | wx.LEFT, border),
(spin_peel_depth, 0, wx.ALL | wx.EXPAND | wx.GROW, border)])
line_ntracts = wx.BoxSizer(wx.HORIZONTAL)
line_ntracts.AddMany([(text_ntracts, 1, wx.EXPAND | wx.GROW | wx.TOP | wx.RIGHT | wx.LEFT, border),
(spin_ntracts, 0, wx.ALL | wx.EXPAND | wx.GROW, border)])
line_offset = wx.BoxSizer(wx.HORIZONTAL)
line_offset.AddMany([(text_offset, 1, wx.EXPAND | wx.GROW | wx.TOP | wx.RIGHT | wx.LEFT, border),
(spin_offset, 0, wx.ALL | wx.EXPAND | wx.GROW, border)])
line_radius = wx.BoxSizer(wx.HORIZONTAL)
line_radius.AddMany([(text_radius, 1, wx.EXPAND | wx.GROW | wx.TOP | wx.RIGHT | wx.LEFT, border),
(spin_radius, 0, wx.ALL | wx.EXPAND | wx.GROW, border)])
line_sleep = wx.BoxSizer(wx.HORIZONTAL)
line_sleep.AddMany([(text_sleep, 1, wx.EXPAND | wx.GROW | wx.TOP | wx.RIGHT | wx.LEFT, border),
(spin_sleep, 0, wx.ALL | wx.EXPAND | wx.GROW, border)])
line_opacity = wx.BoxSizer(wx.HORIZONTAL)
line_opacity.AddMany([(text_opacity, 1, wx.EXPAND | wx.GROW | wx.TOP | wx.RIGHT | wx.LEFT, border),
(spin_opacity, 0, wx.ALL | wx.EXPAND | wx.GROW, border)])
# Check box to enable tract visualization
checktracts = wx.CheckBox(self, -1, _('Enable tracts'))
checktracts.SetValue(False)
checktracts.Enable(0)
checktracts.Bind(wx.EVT_CHECKBOX, partial(self.OnEnableTracts, ctrl=checktracts))
self.checktracts = checktracts
# Check box to enable surface peeling
checkpeeling = wx.CheckBox(self, -1, _('Peel surface'))
checkpeeling.SetValue(False)
checkpeeling.Enable(0)
checkpeeling.Bind(wx.EVT_CHECKBOX, partial(self.OnShowPeeling, ctrl=checkpeeling))
self.checkpeeling = checkpeeling
# Check box to enable tract visualization
checkACT = wx.CheckBox(self, -1, _('ACT'))
checkACT.SetValue(False)
checkACT.Enable(0)
checkACT.Bind(wx.EVT_CHECKBOX, partial(self.OnEnableACT, ctrl=checkACT))
self.checkACT = checkACT
border_last = 1
line_checks = wx.BoxSizer(wx.HORIZONTAL)
line_checks.Add(checktracts, 0, wx.ALIGN_LEFT | wx.RIGHT | wx.LEFT, border_last)
line_checks.Add(checkpeeling, 0, wx.ALIGN_CENTER | wx.RIGHT | wx.LEFT, border_last)
line_checks.Add(checkACT, 0, wx.RIGHT | wx.LEFT, border_last)
# Add line sizers into main sizer
border = 1
border_last = 10
main_sizer = wx.BoxSizer(wx.VERTICAL)
main_sizer.Add(line_btns, 0, wx.BOTTOM | wx.ALIGN_CENTER_HORIZONTAL, border_last)
main_sizer.Add(line_peel_depth, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, border)
main_sizer.Add(line_ntracts, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, border)
main_sizer.Add(line_offset, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, border)
main_sizer.Add(line_radius, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, border)
main_sizer.Add(line_sleep, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, border)
main_sizer.Add(line_opacity, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP, border)
main_sizer.Add(line_checks, 0, wx.GROW | wx.EXPAND | wx.LEFT | wx.RIGHT | wx.TOP | wx.BOTTOM, border_last)
main_sizer.Fit(self)
self.SetSizer(main_sizer)
self.Update()
def __bind_events(self):
Publisher.subscribe(self.OnCloseProject, 'Close project data')
Publisher.subscribe(self.OnUpdateTracts, 'Set cross focal point')
Publisher.subscribe(self.UpdateNavigationStatus, 'Navigation status')
def OnSelectPeelingDepth(self, evt, ctrl):
self.peel_depth = ctrl.GetValue()
if self.checkpeeling.GetValue():
actor = self.brain_peel.get_actor(self.peel_depth)
Publisher.sendMessage('Update peel', flag=True, actor=actor)
Publisher.sendMessage('Get peel centers and normals', centers=self.brain_peel.peel_centers,
normals=self.brain_peel.peel_normals)
Publisher.sendMessage('Get init locator', locator=self.brain_peel.locator)
self.peel_loaded = True
def OnSelectNumTracts(self, evt, ctrl):
self.n_tracts = ctrl.GetValue()
# self.tract.n_tracts = ctrl.GetValue()
Publisher.sendMessage('Update number of tracts', data=self.n_tracts)
def OnSelectOffset(self, evt, ctrl):
self.seed_offset = ctrl.GetValue()
# self.tract.seed_offset = ctrl.GetValue()
Publisher.sendMessage('Update seed offset', data=self.seed_offset)
def OnSelectRadius(self, evt, ctrl):
self.seed_radius = ctrl.GetValue()
# self.tract.seed_offset = ctrl.GetValue()
Publisher.sendMessage('Update seed radius', data=self.seed_radius)
def OnSelectSleep(self, evt, ctrl):
self.sleep_nav = ctrl.GetValue()
# self.tract.seed_offset = ctrl.GetValue()
Publisher.sendMessage('Update sleep', data=self.sleep_nav)
def OnSelectOpacity(self, evt, ctrl):
self.brain_actor.GetProperty().SetOpacity(ctrl.GetValue())
Publisher.sendMessage('Update peel', flag=True, actor=self.brain_actor)
def OnShowPeeling(self, evt, ctrl):
# self.view_peeling = ctrl.GetValue()
if ctrl.GetValue():
actor = self.brain_peel.get_actor(self.peel_depth)
self.peel_loaded = True
Publisher.sendMessage('Update peel visualization', data=self.peel_loaded)
else:
actor = None
self.peel_loaded = False
Publisher.sendMessage('Update peel visualization', data= self.peel_loaded)
Publisher.sendMessage('Update peel', flag=ctrl.GetValue(), actor=actor)
def OnEnableTracts(self, evt, ctrl):
self.view_tracts = ctrl.GetValue()
Publisher.sendMessage('Update tracts visualization', data=self.view_tracts)
if not self.view_tracts:
Publisher.sendMessage('Remove tracts')
Publisher.sendMessage("Update marker offset state", create=False)
def OnEnableACT(self, evt, ctrl):
# self.view_peeling = ctrl.GetValue()
# if ctrl.GetValue():
# act_data = self.brain_peel.get_actor(self.peel_depth)
# else:
# actor = None
Publisher.sendMessage('Enable ACT', data=ctrl.GetValue())
def UpdateNavigationStatus(self, nav_status, vis_status):
self.nav_status = nav_status
def OnLinkBrain(self, event=None):
Publisher.sendMessage('Begin busy cursor')
inv_proj = prj.Project()
peels_dlg = dlg.PeelsCreationDlg(wx.GetApp().GetTopWindow())
ret = peels_dlg.ShowModal()
method = peels_dlg.method
if ret == wx.ID_OK:
slic = sl.Slice()
ww = slic.window_width
wl = slic.window_level
affine_vtk = vtk.vtkMatrix4x4()
if method == peels_dlg.FROM_FILES:
matrix_shape = tuple(inv_proj.matrix_shape)
try:
affine = slic.affine.copy()
except AttributeError:
affine = np.eye(4)
affine[1, -1] -= matrix_shape[1]
affine_vtk = vtk_utils.numpy_to_vtkMatrix4x4(affine)
self.brain_peel = brain.Brain(self.n_peels, ww, wl, affine_vtk)
if method == peels_dlg.FROM_MASK:
choices = [i for i in inv_proj.mask_dict.values()]
mask_index = peels_dlg.cb_masks.GetSelection()
mask = choices[mask_index]
self.brain_peel.from_mask(mask)
else:
mask_path = peels_dlg.mask_path
self.brain_peel.from_mask_file(mask_path)
self.brain_actor = self.brain_peel.get_actor(self.peel_depth)
self.brain_actor.GetProperty().SetOpacity(self.brain_opacity)
Publisher.sendMessage('Update peel', flag=True, actor=self.brain_actor)
Publisher.sendMessage('Get peel centers and normals', centers=self.brain_peel.peel_centers,
normals=self.brain_peel.peel_normals)
Publisher.sendMessage('Get init locator', locator=self.brain_peel.locator)
self.checkpeeling.Enable(1)
self.checkpeeling.SetValue(True)
self.spin_opacity.Enable(1)
Publisher.sendMessage('Update status text in GUI', label=_("Brain model loaded"))
self.peel_loaded = True
Publisher.sendMessage('Update peel visualization', data= self.peel_loaded)
peels_dlg.Destroy()
Publisher.sendMessage('End busy cursor')
def OnLinkFOD(self, event=None):
Publisher.sendMessage('Begin busy cursor')
filename = dlg.ShowImportOtherFilesDialog(const.ID_NIFTI_IMPORT, msg=_("Import Trekker FOD"))
# Juuso
# data_dir = os.environ.get('OneDriveConsumer') + '\\data\\dti'
# FOD_path = 'sub-P0_dwi_FOD.nii'
# Baran
# data_dir = os.environ.get('OneDrive') + r'\data\dti_navigation\baran\anat_reg_improve_20200609'
# FOD_path = 'Baran_FOD.nii'
# filename = os.path.join(data_dir, FOD_path)
if not self.affine_vtk:
slic = sl.Slice()
prj_data = prj.Project()
matrix_shape = tuple(prj_data.matrix_shape)
spacing = tuple(prj_data.spacing)
img_shift = spacing[1] * (matrix_shape[1] - 1)
self.affine = slic.affine.copy()
self.affine[1, -1] -= img_shift
self.affine_vtk = vtk_utils.numpy_to_vtkMatrix4x4(self.affine)
if filename:
Publisher.sendMessage('Update status text in GUI', label=_("Busy"))
try:
self.trekker = Trekker.initialize(filename.encode('utf-8'))
self.trekker, n_threads = dti.set_trekker_parameters(self.trekker, self.trekker_cfg)
self.checktracts.Enable(1)
self.checktracts.SetValue(True)
self.view_tracts = True
Publisher.sendMessage('Update Trekker object', data=self.trekker)
Publisher.sendMessage('Update number of threads', data=n_threads)
Publisher.sendMessage('Update tracts visualization', data=1)
Publisher.sendMessage('Update status text in GUI', label=_("Trekker initialized"))
# except:
# wx.MessageBox(_("Unable to initialize Trekker, check FOD and config files."), _("InVesalius 3"))
except:
Publisher.sendMessage('Update status text in GUI', label=_("Trekker initialization failed."))
wx.MessageBox(_("Unable to load FOD."), _("InVesalius 3"))
Publisher.sendMessage('End busy cursor')
def OnLoadACT(self, event=None):
if self.trekker:
Publisher.sendMessage('Begin busy cursor')
filename = dlg.ShowImportOtherFilesDialog(const.ID_NIFTI_IMPORT, msg=_("Import anatomical labels"))
# Baran
# data_dir = os.environ.get('OneDrive') + r'\data\dti_navigation\baran\anat_reg_improve_20200609'
# act_path = 'Baran_trekkerACTlabels_inFODspace.nii'
# filename = os.path.join(data_dir, act_path)
if not self.affine_vtk:
slic = sl.Slice()
prj_data = prj.Project()
matrix_shape = tuple(prj_data.matrix_shape)
spacing = tuple(prj_data.spacing)
img_shift = spacing[1] * (matrix_shape[1] - 1)
self.affine = slic.affine.copy()
self.affine[1, -1] -= img_shift
self.affine_vtk = vtk_utils.numpy_to_vtkMatrix4x4(self.affine)
try:
Publisher.sendMessage('Update status text in GUI', label=_("Busy"))
if filename:
act_data = nb.squeeze_image(nb.load(filename))
act_data = nb.as_closest_canonical(act_data)
act_data.update_header()
act_data_arr = act_data.get_fdata()
self.checkACT.Enable(1)
self.checkACT.SetValue(True)
# ACT rules should be as follows:
self.trekker.pathway_stop_at_entry(filename.encode('utf-8'), -1) # outside
self.trekker.pathway_discard_if_ends_inside(filename.encode('utf-8'), 1) # wm
self.trekker.pathway_discard_if_enters(filename.encode('utf-8'), 0) # csf
Publisher.sendMessage('Update ACT data', data=act_data_arr)
Publisher.sendMessage('Enable ACT', data=True)
Publisher.sendMessage('Update status text in GUI', label=_("Trekker ACT loaded"))
except:
Publisher.sendMessage('Update status text in GUI', label=_("ACT initialization failed."))
wx.MessageBox(_("Unable to load ACT."), _("InVesalius 3"))
Publisher.sendMessage('End busy cursor')
else:
wx.MessageBox(_("Load FOD image before the ACT."), _("InVesalius 3"))
def OnLoadParameters(self, event=None):
import json
filename = dlg.ShowLoadSaveDialog(message=_(u"Load Trekker configuration"),
wildcard=_("JSON file (*.json)|*.json"))
try:
# Check if filename exists, read the JSON file and check if all parameters match
# with the required list defined in the constants module
# if a parameter is missing, raise an error
if filename:
with open(filename) as json_file:
self.trekker_cfg = json.load(json_file)
assert all(name in self.trekker_cfg for name in const.TREKKER_CONFIG)
if self.trekker:
self.trekker, n_threads = dti.set_trekker_parameters(self.trekker, self.trekker_cfg)
Publisher.sendMessage('Update Trekker object', data=self.trekker)
Publisher.sendMessage('Update number of threads', data=n_threads)
Publisher.sendMessage('Update status text in GUI', label=_("Trekker config loaded"))
except (AssertionError, json.decoder.JSONDecodeError):
# Inform user that file is not compatible
self.trekker_cfg = const.TREKKER_CONFIG
wx.MessageBox(_("File incompatible, using default configuration."), _("InVesalius 3"))
Publisher.sendMessage('Update status text in GUI', label="")
def OnUpdateTracts(self, position):
"""
Minimal working version of tract computation. Updates when cross sends Pubsub message to update.
Position refers to the coordinates in InVesalius 2D space. To represent the same coordinates in the 3D space,
flip_x the coordinates and multiply the z coordinate by -1. This is all done in the flix_x function.
:param arg: event for pubsub
:param position: list or array with the x, y, and z coordinates in InVesalius space
"""
# Minimal working version of tract computation
# It updates when cross updates
# pass
if self.view_tracts and not self.nav_status:
# print("Running during navigation")
coord_flip = list(position[:3])
coord_flip[1] = -coord_flip[1]
dti.compute_and_visualize_tracts(self.trekker, coord_flip, self.affine, self.affine_vtk,
self.n_tracts)
def OnCloseProject(self):
self.trekker = None
self.trekker_cfg = const.TREKKER_CONFIG
self.checktracts.SetValue(False)
self.checktracts.Enable(0)
self.checkpeeling.SetValue(False)
self.checkpeeling.Enable(0)
self.checkACT.SetValue(False)
self.checkACT.Enable(0)
self.spin_opacity.SetValue(const.BRAIN_OPACITY)
self.spin_opacity.Enable(0)
Publisher.sendMessage('Update peel', flag=False, actor=self.brain_actor)
self.peel_depth = const.PEEL_DEPTH
self.n_tracts = const.N_TRACTS
Publisher.sendMessage('Remove tracts')
class SessionPanel(wx.Panel):
def __init__(self, parent):
wx.Panel.__init__(self, parent)
try:
default_colour = wx.SystemSettings.GetColour(wx.SYS_COLOUR_MENUBAR)
except AttributeError:
default_colour = wx.SystemSettings_GetColour(wx.SYS_COLOUR_MENUBAR)
self.SetBackgroundColour(default_colour)
# session count spinner
self.__spin_session = wx.SpinCtrl(self, -1, "", size=wx.Size(40, 23))
self.__spin_session.SetRange(1, 99)
self.__spin_session.SetValue(1)
self.__spin_session.Bind(wx.EVT_TEXT, self.OnSessionChanged)
self.__spin_session.Bind(wx.EVT_SPINCTRL, self.OnSessionChanged)
sizer_create = wx.FlexGridSizer(rows=1, cols=1, hgap=5, vgap=5)
sizer_create.AddMany([(self.__spin_session, 1)])
def OnSessionChanged(self, evt):
Publisher.sendMessage('Current session changed', new_session_id=self.__spin_session.GetValue())
class InputAttributes(object):
# taken from https://stackoverflow.com/questions/2466191/set-attributes-from-dictionary-in-python
def __init__(self, *initial_data, **kwargs):
for dictionary in initial_data:
for key in dictionary:
setattr(self, key, dictionary[key])
for key in kwargs:
setattr(self, key, kwargs[key])