viewer_slice.py
54.7 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
#!/usr/bin/env python
# -*- coding: utf-8 -*-
#--------------------------------------------------------------------------
# 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 collections
import itertools
import tempfile
import numpy as np
import vtk
from vtk.wx.wxVTKRenderWindowInteractor import wxVTKRenderWindowInteractor
import styles
import wx
from wx.lib.pubsub import pub as Publisher
try:
from agw import floatspin as FS
except ImportError: # if it's not there locally, try the wxPython lib.
import wx.lib.agw.floatspin as FS
import constants as const
import cursor_actors as ca
import data.slice_ as sl
import data.vtk_utils as vtku
import project
import slice_data as sd
import utils
from data import converters
from data import measures
ID_TO_TOOL_ITEM = {}
STR_WL = "WL: %d WW: %d"
ORIENTATIONS = {
"AXIAL": const.AXIAL,
"CORONAL": const.CORONAL,
"SAGITAL": const.SAGITAL,
}
class ContourMIPConfig(wx.Panel):
def __init__(self, prnt, orientation):
wx.Panel.__init__(self, prnt)
self.mip_size_spin = wx.SpinCtrl(self, -1, min=1, max=240,
initial=const.PROJECTION_MIP_SIZE)
self.mip_size_spin.SetValue(const.PROJECTION_MIP_SIZE)
self.mip_size_spin.SetToolTip(wx.ToolTip(_("Number of slices used to compound the visualization.")))
w, h = self.mip_size_spin.GetTextExtent('M')
self.mip_size_spin.SetMinSize((5 * w + 10, -1))
self.mip_size_spin.SetMaxSize((5 * w + 10, -1))
self.border_spin = FS.FloatSpin(self, -1, min_val=0, max_val=10,
increment=0.1,
value=const.PROJECTION_BORDER_SIZE,
digits=1, agwStyle=FS.FS_LEFT)
self.border_spin.SetToolTip(wx.ToolTip(_("Controls the sharpness of the"
" contour. The greater the"
" value, the sharper the"
" contour.")))
w, h = self.border_spin.GetTextExtent('M')
self.border_spin.SetMinSize((5 * w + 10, -1))
self.border_spin.SetMaxSize((5 * w + 10, -1))
self.inverted = wx.CheckBox(self, -1, _("Inverted order"))
self.inverted.SetToolTip(wx.ToolTip(_("If checked, the slices are"
" traversed in descending"
" order to compound the"
" visualization instead of"
" ascending order.")))
txt_mip_size = wx.StaticText(self, -1, _("Number of slices"), style=wx.ALIGN_CENTER_HORIZONTAL)
self.txt_mip_border = wx.StaticText(self, -1, _("Sharpness"))
sizer = wx.BoxSizer(wx.HORIZONTAL)
sizer.Add(txt_mip_size, 0, wx.EXPAND | wx.ALL, 2)
sizer.Add(self.mip_size_spin, 0, wx.EXPAND)
sizer.AddSpacer((10, 0))
sizer.Add(self.txt_mip_border, 0, wx.EXPAND | wx.ALL, 2)
sizer.Add(self.border_spin, 0, wx.EXPAND)
sizer.AddSpacer((10, 0))
sizer.Add(self.inverted, 0, wx.EXPAND)
self.SetSizer(sizer)
sizer.Fit(self)
self.Layout()
self.Update()
self.SetAutoLayout(1)
self.orientation = orientation
self.mip_size_spin.Bind(wx.EVT_SPINCTRL, self.OnSetMIPSize)
self.border_spin.Bind(wx.EVT_SPINCTRL, self.OnSetMIPBorder)
self.inverted.Bind(wx.EVT_CHECKBOX, self.OnCheckInverted)
Publisher.subscribe(self._set_projection_type, 'Set projection type')
def OnSetMIPSize(self, evt):
val = self.mip_size_spin.GetValue()
Publisher.sendMessage('Set MIP size %s' % self.orientation, val)
def OnSetMIPBorder(self, evt):
val = self.border_spin.GetValue()
Publisher.sendMessage('Set MIP border %s' % self.orientation, val)
def OnCheckInverted(self, evt):
val = self.inverted.GetValue()
Publisher.sendMessage('Set MIP Invert %s' % self.orientation, val)
def _set_projection_type(self, pubsub_evt):
tprojection = pubsub_evt.data
if tprojection in (const.PROJECTION_MIDA,
const.PROJECTION_CONTOUR_MIDA):
self.inverted.Enable()
else:
self.inverted.Disable()
if tprojection in (const.PROJECTION_CONTOUR_MIP,
const.PROJECTION_CONTOUR_MIDA):
self.border_spin.Enable()
self.txt_mip_border.Enable()
else:
self.border_spin.Disable()
self.txt_mip_border.Disable()
class CanvasRendererCTX:
def __init__(self, viewer):
self.viewer = viewer
self.canvas_renderer = viewer.slice_data.canvas_renderer
self._size = self.canvas_renderer.GetSize()
self.gc = None
self._init_canvas()
viewer.slice_data.renderer.AddObserver("StartEvent", self.OnPaint)
def _init_canvas(self):
w, h = self._size
self._array = np.zeros((h, w, 4), dtype=np.uint8)
self._cv_image = converters.np_rgba_to_vtk(self._array)
self.mapper = vtk.vtkImageMapper()
self.mapper.SetInputData(self._cv_image)
self.mapper.SetColorWindow(255)
self.mapper.SetColorLevel(128)
self.actor = vtk.vtkActor2D()
self.actor.SetPosition(0, 0)
self.actor.SetMapper(self.mapper)
self.actor.GetProperty().SetOpacity(0.99)
self.canvas_renderer.AddActor2D(self.actor)
self.rgb = np.zeros((h, w, 3), dtype=np.uint8)
self.alpha = np.zeros((h, w, 1), dtype=np.uint8)
self.bitmap = wx.EmptyBitmapRGBA(w, h)
self.image = wx.ImageFromBuffer(w, h, self.rgb, self.alpha)
def _resize_canvas(self, w, h):
self._array = np.zeros((h, w, 4), dtype=np.uint8)
self._cv_image = converters.np_rgba_to_vtk(self._array)
self.mapper.SetInputData(self._cv_image)
self.mapper.Update()
self.rgb = np.zeros((h, w, 3), dtype=np.uint8)
self.alpha = np.zeros((h, w, 1), dtype=np.uint8)
self.bitmap = wx.EmptyBitmapRGBA(w, h)
self.image = wx.ImageFromBuffer(w, h, self.rgb, self.alpha)
def OnPaint(self, evt, obj):
self._array[:] = 0
size = self.canvas_renderer.GetSize()
w, h = size
if self._size != size:
self._size = size
self._resize_canvas(w, h)
coord = vtk.vtkCoordinate()
self.image.SetDataBuffer(self.rgb)
self.image.SetAlphaBuffer(self.alpha)
self.image.Clear()
gc = wx.GraphicsContext.Create(self.image)
gc.SetAntialiasMode(0)
self.gc = gc
font = wx.SystemSettings.GetFont(wx.SYS_DEFAULT_GUI_FONT)
# font.SetWeight(wx.BOLD)
font = gc.CreateFont(font, (0, 0, 255))
gc.SetFont(font)
pen = wx.Pen(wx.Colour(255, 0, 0, 128), 2, wx.SOLID)
brush = wx.Brush(wx.Colour(0, 255, 0, 128))
gc.SetPen(pen)
gc.SetBrush(brush)
gc.Scale(1, -1)
modified = False
for (m, mr) in self.viewer.measures.get(self.viewer.orientation, self.viewer.slice_data.number):
if not m.visible:
continue
mr.draw_to_canvas(gc, self)
modified = True
gc.Destroy()
self.gc = None
if modified:
self.bitmap = self.image.ConvertToBitmap()
self.bitmap.CopyToBuffer(self._array, wx.BitmapBufferFormat_RGBA)
self._cv_image.Modified()
def draw_line(self, pos0, pos1, arrow_start=False, arrow_end=False, colour=(255, 0, 0, 128), width=2, style=wx.SOLID):
"""
Draw a line from pos0 to pos1
"""
if self.gc is None:
return None
gc = self.gc
p0x, p0y = pos0
p1x, p1y = pos1
p0y = -p0y
p1y = -p1y
pen = wx.Pen(wx.Colour(*colour), width, wx.SOLID)
pen.SetCap(wx.CAP_BUTT)
gc.SetPen(pen)
path = gc.CreatePath()
path.MoveToPoint(p0x, p0y)
path.AddLineToPoint(p1x, p1y)
gc.StrokePath(path)
font = wx.SystemSettings.GetFont(wx.SYS_DEFAULT_GUI_FONT)
font = gc.CreateFont(font)
gc.SetFont(font)
w, h = gc.GetTextExtent("M")
p0 = np.array((p0x, p0y))
p3 = np.array((p1x, p1y))
if arrow_start:
v = p3 - p0
v = v / np.linalg.norm(v)
iv = np.array((v[1], -v[0]))
p1 = p0 + w*v + iv*w/2.0
p2 = p0 + w*v + (-iv)*w/2.0
path = gc.CreatePath()
path.MoveToPoint(p0)
path.AddLineToPoint(p1)
path.MoveToPoint(p0)
path.AddLineToPoint(p2)
gc.StrokePath(path)
if arrow_end:
v = p3 - p0
v = v / np.linalg.norm(v)
iv = np.array((v[1], -v[0]))
p1 = p3 - w*v + iv*w/2.0
p2 = p3 - w*v + (-iv)*w/2.0
path = gc.CreatePath()
path.MoveToPoint(p3)
path.AddLineToPoint(p1)
path.MoveToPoint(p3)
path.AddLineToPoint(p2)
gc.StrokePath(path)
def draw_circle(self, center, radius, width=2, line_colour=(255, 0, 0, 128), fill_colour=(0, 0, 0, 0)):
"""
Draw a circle centered at center with the given radius.
Params:
center: (x, y) position.
radius: float number.
width: line width.
line_colour: RGBA line colour
fill_colour: RGBA fill colour.
"""
if self.gc is None:
return None
gc = self.gc
pen = wx.Pen(wx.Colour(*line_colour), width, wx.SOLID)
gc.SetPen(pen)
brush = wx.Brush(wx.Colour(*fill_colour))
gc.SetBrush(brush)
cx, cy = center
cy = -cy
path = gc.CreatePath()
path.AddCircle(cx, cy, 2.5)
gc.StrokePath(path)
gc.FillPath(path)
def draw_text_box(self, text, pos, font=None, txt_colour=(255, 255, 255), bg_colour=(128, 128, 128, 128), border=5):
"""
Draw text inside a text box.
Params:
text: an unicode text.
pos: (x, y) position.
font: if None it'll use the default gui font.
txt_colour: RGB text colour
bg_colour: RGBA box colour
border: the border size.
"""
if self.gc is None:
return None
gc = self.gc
if font is None:
font = wx.SystemSettings.GetFont(wx.SYS_DEFAULT_GUI_FONT)
font = gc.CreateFont(font, txt_colour)
gc.SetFont(font)
w, h = gc.GetTextExtent(text)
px, py = pos
py = -py
# Drawing the box
cw, ch = w + border * 2, h + border * 2
gc.SetBrush(wx.Brush(bg_colour))
gc.SetPen(wx.Pen(bg_colour))
gc.DrawRectangle(px, py, cw, ch)
tpx, tpy = px + border, py + border
gc.DrawText(text, tpx, tpy)
def draw_arc(self, center, p0, p1, line_colour=(255, 0, 0, 128), width=2):
"""
Draw an arc passing in p0 and p1 centered at center.
Params:
center: (x, y) center of the arc.
p0: (x, y).
p1: (x, y).
line_colour: RGBA line colour.
width: width of the line.
"""
if self.gc is None:
return None
gc = self.gc
pen = wx.Pen(wx.Colour(*line_colour), width, wx.SOLID)
gc.SetPen(pen)
c = np.array(center)
v0 = np.array(p0) - c
v1 = np.array(p1) - c
c[1] = -c[1]
v0[1] = -v0[1]
v1[1] = -v1[1]
s0 = np.linalg.norm(v0)
s1 = np.linalg.norm(v1)
a0 = np.arctan2(v0[1] , v0[0])
a1 = np.arctan2(v1[1] , v1[0])
if (a1 - a0) % (np.pi*2) < (a0 - a1) % (np.pi*2):
sa = a0
ea = a1
else:
sa = a1
ea = a0
path = gc.CreatePath()
path.AddArc((c[0], c[1]), min(s0, s1), sa, ea)
gc.StrokePath(path)
class Viewer(wx.Panel):
def __init__(self, prnt, orientation='AXIAL'):
wx.Panel.__init__(self, prnt, size=wx.Size(320, 300))
#colour = [255*c for c in const.ORIENTATION_COLOUR[orientation]]
#self.SetBackgroundColour(colour)
# Interactor additional style
self._number_slices = const.PROJECTION_MIP_SIZE
self._mip_inverted = False
self.style = None
self.last_position_mouse_move = ()
self.state = const.STATE_DEFAULT
self.overwrite_mask = False
# All renderers and image actors in this viewer
self.slice_data_list = []
self.slice_data = None
# The layout from slice_data, the first is number of cols, the second
# is the number of rows
self.layout = (1, 1)
self.orientation_texts = []
self.measures = measures.MeasureData()
self.actors_by_slice_number = collections.defaultdict(list)
self.renderers_by_slice_number = {}
self.orientation = orientation
self.slice_number = 0
self.scroll_enabled = True
self.__init_gui()
self._brush_cursor_op = const.DEFAULT_BRUSH_OP
self._brush_cursor_size = const.BRUSH_SIZE
self._brush_cursor_colour = const.BRUSH_COLOUR
self._brush_cursor_type = const.DEFAULT_BRUSH_OP
self.cursor = None
self.wl_text = None
self.on_wl = False
self.on_text = False
# VTK pipeline and actors
self.__config_interactor()
self.cross_actor = vtk.vtkActor()
self.__bind_events()
self.__bind_events_wx()
self._flush_buffer = False
def __init_gui(self):
self.interactor = wxVTKRenderWindowInteractor(self, -1, size=self.GetSize())
scroll = wx.ScrollBar(self, -1, style=wx.SB_VERTICAL)
self.scroll = scroll
self.mip_ctrls = ContourMIPConfig(self, self.orientation)
self.mip_ctrls.Hide()
sizer = wx.BoxSizer(wx.HORIZONTAL)
sizer.Add(self.interactor, 1, wx.EXPAND|wx.GROW)
sizer.Add(scroll, 0, wx.EXPAND|wx.GROW)
background_sizer = wx.BoxSizer(wx.VERTICAL)
background_sizer.AddSizer(sizer, 1, wx.EXPAND|wx.GROW|wx.ALL, 2)
#background_sizer.Add(self.mip_ctrls, 0, wx.EXPAND|wx.GROW|wx.ALL, 2)
self.SetSizer(background_sizer)
background_sizer.Fit(self)
self.Layout()
self.Update()
self.SetAutoLayout(1)
self.pick = vtk.vtkWorldPointPicker()
self.interactor.SetPicker(self.pick)
def OnContextMenu(self, evt):
if (self.last_position_mouse_move ==\
self.interactor.GetLastEventPosition()):
self.menu.caller = self
self.PopupMenu(self.menu)
evt.Skip()
def SetPopupMenu(self, menu):
self.menu = menu
def SetLayout(self, layout):
self.layout = layout
if (layout == (1,1)) and self.on_text:
self.ShowTextActors()
else:
self.HideTextActors(change_status=False)
slice_ = sl.Slice()
self.LoadRenderers(slice_.GetOutput())
self.__configure_renderers()
self.__configure_scroll()
def HideTextActors(self, change_status=True):
if self.wl_text:
self.wl_text.Hide()
[t.Hide() for t in self.orientation_texts]
self.interactor.Render()
if change_status:
self.on_text = False
def ShowTextActors(self):
if self.on_wl and self.wl_text:
self.wl_text.Show()
[t.Show() for t in self.orientation_texts]
self.Update()
self.interactor.Render()
self.on_text = True
def __set_layout(self, pubsub_evt):
layout = pubsub_evt.data
self.SetLayout(layout)
def __config_interactor(self):
style = vtk.vtkInteractorStyleImage()
interactor = self.interactor
interactor.SetInteractorStyle(style)
def SetInteractorStyle(self, state):
cleanup = getattr(self.style, 'CleanUp', None)
if cleanup:
self.style.CleanUp()
del self.style
style = styles.get_style(state)(self)
setup = getattr(style, 'SetUp', None)
if setup:
style.SetUp()
self.style = style
self.interactor.SetInteractorStyle(style)
self.interactor.Render()
self.state = state
def UpdateWindowLevelValue(self, pubsub_evt):
window, level = pubsub_evt.data
self.acum_achange_window, self.acum_achange_level = (window, level)
self.SetWLText(window, level)
slc = sl.Slice()
slc._update_wwwl_widget_nodes(window, level)
Publisher.sendMessage('Update all slice')
Publisher.sendMessage('Update clut imagedata widget')
def UpdateWindowLevelText(self, pubsub_evt):
window, level = pubsub_evt.data
self.acum_achange_window, self.acum_achange_level = (window, level)
self.SetWLText(window, level)
self.interactor.Render()
def OnClutChange(self, evt):
Publisher.sendMessage('Change colour table from background image from widget',
evt.GetNodes())
slc = sl.Slice()
Publisher.sendMessage('Update window level value',
(slc.window_width, slc.window_level))
def SetWLText(self, window_width, window_level):
value = STR_WL%(window_level, window_width)
if (self.wl_text):
self.wl_text.SetValue(value)
#self.interactor.Render()
def EnableText(self):
if not (self.wl_text):
proj = project.Project()
colour = const.ORIENTATION_COLOUR[self.orientation]
# Window & Level text
self.wl_text = vtku.Text()
self.SetWLText(proj.level, proj.window)
# Orientation text
if self.orientation == 'AXIAL':
values = [_('R'), _('L'), _('A'), _('P')]
elif self.orientation == 'SAGITAL':
values = [_('P'), _('A'), _('T'), _('B')]
else:
values = [_('R'), _('L'), _('T'), _('B')]
left_text = self.left_text = vtku.TextZero()
left_text.ShadowOff()
left_text.SetColour(colour)
left_text.SetPosition(const.TEXT_POS_VCENTRE_LEFT)
left_text.SetVerticalJustificationToCentered()
left_text.SetValue(values[0])
right_text = self.right_text = vtku.TextZero()
right_text.ShadowOff()
right_text.SetColour(colour)
right_text.SetPosition(const.TEXT_POS_VCENTRE_RIGHT_ZERO)
right_text.SetVerticalJustificationToCentered()
right_text.SetJustificationToRight()
right_text.SetValue(values[1])
up_text = self.up_text = vtku.TextZero()
up_text.ShadowOff()
up_text.SetColour(colour)
up_text.SetPosition(const.TEXT_POS_HCENTRE_UP)
up_text.SetJustificationToCentered()
up_text.SetValue(values[2])
down_text = self.down_text = vtku.TextZero()
down_text.ShadowOff()
down_text.SetColour(colour)
down_text.SetPosition(const.TEXT_POS_HCENTRE_DOWN_ZERO)
down_text.SetJustificationToCentered()
down_text.SetVerticalJustificationToBottom()
down_text.SetValue(values[3])
self.orientation_texts = [left_text, right_text, up_text,
down_text]
self.slice_data.renderer.AddActor(self.wl_text.actor)
self.slice_data.renderer.AddActor(left_text.actor)
self.slice_data.renderer.AddActor(right_text.actor)
self.slice_data.renderer.AddActor(up_text.actor)
self.slice_data.renderer.AddActor(down_text.actor)
def RenderTextDirection(self, directions):
# Values are on ccw order, starting from the top:
self.up_text.SetValue(directions[0])
self.left_text.SetValue(directions[1])
self.down_text.SetValue(directions[2])
self.right_text.SetValue(directions[3])
self.interactor.Render()
def ResetTextDirection(self, cam):
# Values are on ccw order, starting from the top:
if self.orientation == 'AXIAL':
values = [_("A"), _("R"), _("P"), _("L")]
elif self.orientation == 'CORONAL':
values = [_("T"), _("R"), _("B"), _("L")]
else: # 'SAGITAL':
values = [_("T"), _("P"), _("B"), _("A")]
self.RenderTextDirection(values)
self.interactor.Render()
def UpdateTextDirection(self, cam):
croll = cam.GetRoll()
if (self.orientation == 'AXIAL'):
if (croll >= -2 and croll <= 1):
self.RenderTextDirection([_("A"), _("R"), _("P"), _("L")])
elif(croll > 1 and croll <= 44):
self.RenderTextDirection([_("AL"), _("RA"), _("PR"), _("LP")])
elif(croll > 44 and croll <= 88):
self.RenderTextDirection([_("LA"), _("AR"), _("RP"), _("PL")])
elif(croll > 89 and croll <= 91):
self.RenderTextDirection([_("L"), _("A"), _("R"), _("P")])
elif(croll > 91 and croll <= 135):
self.RenderTextDirection([_("LP"), _("AL"), _("RA"), _("PR")])
elif(croll > 135 and croll <= 177):
self.RenderTextDirection([_("PL"), _("LA"), _("AR"), _("RP")])
elif(croll >= -180 and croll <= -178) or (croll < 180 and croll > 177):
self.RenderTextDirection([_("P"), _("L"), _("A"), _("R")])
elif(croll >= -177 and croll <= -133):
self.RenderTextDirection([_("PR"), _("LP"), _("AL"), _("RA")])
elif(croll >= -132 and croll <= -101):
self.RenderTextDirection([_("RP"), _("PL"), _("LA"), _("AR")])
elif(croll >= -101 and croll <= -87):
self.RenderTextDirection([_("R"), _("P"), _("L"), _("A")])
elif(croll >= -86 and croll <= -42):
self.RenderTextDirection([_("RA"), _("PR"), _("LP"), _("AL")])
elif(croll >= -41 and croll <= -2):
self.RenderTextDirection([_("AR"), _("RP"), _("PL"), _("LA")])
elif(self.orientation == "CORONAL"):
if (croll >= -2 and croll <= 1):
self.RenderTextDirection([_("T"), _("R"), _("B"), _("L")])
elif(croll > 1 and croll <= 44):
self.RenderTextDirection([_("TL"), _("RT"), _("BR"), _("LB")])
elif(croll > 44 and croll <= 88):
self.RenderTextDirection([_("LT"), _("TR"), _("RB"), _("BL")])
elif(croll > 89 and croll <= 91):
self.RenderTextDirection([_("L"), _("T"), _("R"), _("B")])
elif(croll > 91 and croll <= 135):
self.RenderTextDirection([_("LB"), _("TL"), _("RT"), _("BR")])
elif(croll > 135 and croll <= 177):
self.RenderTextDirection([_("BL"), _("LT"), _("TR"), _("RB")])
elif(croll >= -180 and croll <= -178) or (croll < 180 and croll > 177):
self.RenderTextDirection([_("B"), _("L"), _("T"), _("R")])
elif(croll >= -177 and croll <= -133):
self.RenderTextDirection([_("BR"), _("LB"), _("TL"), _("RT")])
elif(croll >= -132 and croll <= -101):
self.RenderTextDirection([_("RB"), _("BL"), _("LT"), _("TR")])
elif(croll >= -101 and croll <= -87):
self.RenderTextDirection([_("R"), _("B"), _("L"), _("T")])
elif(croll >= -86 and croll <= -42):
self.RenderTextDirection([_("RT"), _("BR"), _("LB"), _("TL")])
elif(croll >= -41 and croll <= -2):
self.RenderTextDirection([_("TR"), _("RB"), _("BL"), _("LT")])
elif(self.orientation == "SAGITAL"):
if(croll >= -101 and croll <= -87):
self.RenderTextDirection([_("T"), _("P"), _("B"), _("A")])
elif(croll >= -86 and croll <= -42):
self.RenderTextDirection([_("TA"), _("PT"), _("BP"), _("AB")])
elif(croll >= -41 and croll <= -2):
self.RenderTextDirection([_("AT"), _("TP"), _("PB"), _("BA")])
elif (croll >= -2 and croll <= 1):
self.RenderTextDirection([_("A"), _("T"), _("P"), _("B")])
elif(croll > 1 and croll <= 44):
self.RenderTextDirection([_("AB"), _("TA"), _("PT"), _("BP")])
elif(croll > 44 and croll <= 88):
self.RenderTextDirection([_("BA"), _("AT"), _("TP"), _("PB")])
elif(croll > 89 and croll <= 91):
self.RenderTextDirection([_("B"), _("A"), _("T"), _("P")])
elif(croll > 91 and croll <= 135):
self.RenderTextDirection([_("BP"), _("AB"), _("TA"), _("PT")])
elif(croll > 135 and croll <= 177):
self.RenderTextDirection([_("PB"), _("BA"), _("AT"), _("TP")])
elif(croll >= -180 and croll <= -178) or (croll < 180 and croll > 177):
self.RenderTextDirection([_("P"), _("B"), _("A"), _("T")])
elif(croll >= -177 and croll <= -133):
self.RenderTextDirection([_("PT"), _("BP"), _("AB"), _("TA")])
elif(croll >= -132 and croll <= -101):
self.RenderTextDirection([_("TP"), _("PB"), _("BA"), _("AT")])
def Reposition(self, slice_data):
"""
Based on code of method Zoom in the
vtkInteractorStyleRubberBandZoom, the of
vtk 5.4.3
"""
ren = slice_data.renderer
size = ren.GetSize()
ren.ResetCamera()
ren.GetActiveCamera().Zoom(1.0)
self.interactor.Render()
def ChangeBrushColour(self, pubsub_evt):
vtk_colour = pubsub_evt.data[3]
self._brush_cursor_colour = vtk_colour
if (self.cursor):
for slice_data in self.slice_data_list:
slice_data.cursor.SetColour(vtk_colour)
def SetBrushColour(self, pubsub_evt):
colour_wx = pubsub_evt.data
colour_vtk = [colour/float(255) for colour in colour_wx]
self._brush_cursor_colour = colour_vtk
if self.slice_data.cursor:
self.slice_data.cursor.SetColour(colour_vtk)
def Navigation(self, pubsub_evt):
# Get point from base change
x, y, z = pubsub_evt.data
coord_cross = x, y, z
position = self.slice_data.actor.GetInput().FindPoint(x, y, z)
coord_cross = self.slice_data.actor.GetInput().GetPoint(position)
coord = self.calcultate_scroll_position(position)
Publisher.sendMessage('Update cross position', coord_cross)
self.ScrollSlice(coord)
self.interactor.Render()
def ScrollSlice(self, coord):
if self.orientation == "AXIAL":
Publisher.sendMessage(('Set scroll position', 'SAGITAL'),
coord[0])
Publisher.sendMessage(('Set scroll position', 'CORONAL'),
coord[1])
elif self.orientation == "SAGITAL":
Publisher.sendMessage(('Set scroll position', 'AXIAL'),
coord[2])
Publisher.sendMessage(('Set scroll position', 'CORONAL'),
coord[1])
elif self.orientation == "CORONAL":
Publisher.sendMessage(('Set scroll position', 'AXIAL'),
coord[2])
Publisher.sendMessage(('Set scroll position', 'SAGITAL'),
coord[0])
def get_slice_data(self, render):
#for slice_data in self.slice_data_list:
#if slice_data.renderer is render:
#return slice_data
# WARN: Return the only slice_data used in this slice_viewer.
return self.slice_data
def calcultate_scroll_position(self, position):
# Based in the given coord (x, y, z), returns a list with the scroll positions for each
# orientation, being the first position the sagital, second the coronal
# and the last, axial.
image_width = self.slice_.buffer_slices[self.orientation].image.shape[1]
if self.orientation == 'AXIAL':
axial = self.slice_data.number
coronal = position / image_width
sagital = position % image_width
elif self.orientation == 'CORONAL':
axial = position / image_width
coronal = self.slice_data.number
sagital = position % image_width
elif self.orientation == 'SAGITAL':
axial = position / image_width
coronal = position % image_width
sagital = self.slice_data.number
return sagital, coronal, axial
def calculate_matrix_position(self, coord):
x, y, z = coord
xi, xf, yi, yf, zi, zf = self.slice_data.actor.GetBounds()
if self.orientation == 'AXIAL':
mx = round((x - xi)/self.slice_.spacing[0], 0)
my = round((y - yi)/self.slice_.spacing[1], 0)
elif self.orientation == 'CORONAL':
mx = round((x - xi)/self.slice_.spacing[0], 0)
my = round((z - zi)/self.slice_.spacing[2], 0)
elif self.orientation == 'SAGITAL':
mx = round((y - yi)/self.slice_.spacing[1], 0)
my = round((z - zi)/self.slice_.spacing[2], 0)
return my, mx
def get_coordinate_cursor(self):
# Find position
x, y, z = self.pick.GetPickPosition()
bounds = self.slice_data.actor.GetBounds()
if bounds[0] == bounds[1]:
x = bounds[0]
elif bounds[2] == bounds[3]:
y = bounds[2]
elif bounds[4] == bounds[5]:
z = bounds[4]
return x, y, z
def get_coordinate_cursor_edition(self, slice_data):
# Find position
actor = slice_data.actor
slice_number = slice_data.number
x, y, z = self.pick.GetPickPosition()
# First we fix the position origin, based on vtkActor bounds
bounds = actor.GetBounds()
bound_xi, bound_xf, bound_yi, bound_yf, bound_zi, bound_zf = bounds
x = float(x - bound_xi)
y = float(y - bound_yi)
z = float(z - bound_zi)
dx = bound_xf - bound_xi
dy = bound_yf - bound_yi
dz = bound_zf - bound_zi
dimensions = self.slice_.matrix.shape
try:
x = (x * dimensions[2]) / dx
except ZeroDivisionError:
x = slice_number
try:
y = (y * dimensions[1]) / dy
except ZeroDivisionError:
y = slice_number
try:
z = (z * dimensions[0]) / dz
except ZeroDivisionError:
z = slice_number
return x, y, z
def __bind_events(self):
Publisher.subscribe(self.LoadImagedata,
'Load slice to viewer')
Publisher.subscribe(self.SetBrushColour,
'Change mask colour')
Publisher.subscribe(self.UpdateRender,
'Update slice viewer')
Publisher.subscribe(self.ChangeSliceNumber,
('Set scroll position',
self.orientation))
Publisher.subscribe(self.__update_cross_position,
'Update cross position')
Publisher.subscribe(self.Navigation,
'Co-registered Points')
###
Publisher.subscribe(self.ChangeBrushColour,
'Add mask')
Publisher.subscribe(self.UpdateWindowLevelValue,
'Update window level value')
Publisher.subscribe(self.UpdateWindowLevelText,
'Update window level text')
#Publisher.subscribe(self._set_cross_visibility,\
# 'Set cross visibility')
###
Publisher.subscribe(self.__set_layout,
'Set slice viewer layout')
Publisher.subscribe(self.OnSetInteractorStyle,
'Set slice interaction style')
Publisher.subscribe(self.OnCloseProject, 'Close project data')
#####
Publisher.subscribe(self.OnShowText,
'Show text actors on viewers')
Publisher.subscribe(self.OnHideText,
'Hide text actors on viewers')
Publisher.subscribe(self.OnExportPicture,'Export picture to file')
Publisher.subscribe(self.SetDefaultCursor, 'Set interactor default cursor')
Publisher.subscribe(self.AddActors, 'Add actors ' + str(ORIENTATIONS[self.orientation]))
Publisher.subscribe(self.RemoveActors, 'Remove actors ' + str(ORIENTATIONS[self.orientation]))
Publisher.subscribe(self.OnSwapVolumeAxes, 'Swap volume axes')
Publisher.subscribe(self.ReloadActualSlice, 'Reload actual slice')
Publisher.subscribe(self.ReloadActualSlice, 'Reload actual slice %s' % self.orientation)
Publisher.subscribe(self.OnUpdateScroll, 'Update scroll')
# MIP
Publisher.subscribe(self.OnSetMIPSize, 'Set MIP size %s' % self.orientation)
Publisher.subscribe(self.OnSetMIPBorder, 'Set MIP border %s' % self.orientation)
Publisher.subscribe(self.OnSetMIPInvert, 'Set MIP Invert %s' % self.orientation)
Publisher.subscribe(self.OnShowMIPInterface, 'Show MIP interface')
Publisher.subscribe(self.OnSetOverwriteMask, "Set overwrite mask")
Publisher.subscribe(self.RefreshViewer, "Refresh viewer")
def RefreshViewer(self, pubsub_evt):
self.Refresh()
def SetDefaultCursor(self, pusub_evt):
self.interactor.SetCursor(wx.StockCursor(wx.CURSOR_DEFAULT))
def OnExportPicture(self, pubsub_evt):
Publisher.sendMessage('Begin busy cursor')
view_prop_list = []
view_prop_list.append(self.slice_data.box_actor)
self.slice_data.renderer.RemoveViewProp(self.slice_data.box_actor)
id, filename, filetype = pubsub_evt.data
dict = {"AXIAL": const.AXIAL,
"CORONAL": const.CORONAL,
"SAGITAL": const.SAGITAL}
if id == dict[self.orientation]:
if filetype == const.FILETYPE_POV:
renwin = self.interactor.GetRenderWindow()
image = vtk.vtkWindowToImageFilter()
image.SetInput(renwin)
writer = vtk.vtkPOVExporter()
writer.SetFilePrefix(filename.split(".")[0])
writer.SetRenderWindow(renwin)
writer.Write()
else:
ren = self.slice_data.renderer
#Use tiling to generate a large rendering.
image = vtk.vtkRenderLargeImage()
image.SetInput(ren)
image.SetMagnification(1)
image.Update()
image = image.GetOutput()
# write image file
if (filetype == const.FILETYPE_BMP):
writer = vtk.vtkBMPWriter()
elif (filetype == const.FILETYPE_JPG):
writer = vtk.vtkJPEGWriter()
elif (filetype == const.FILETYPE_PNG):
writer = vtk.vtkPNGWriter()
elif (filetype == const.FILETYPE_PS):
writer = vtk.vtkPostScriptWriter()
elif (filetype == const.FILETYPE_TIF):
writer = vtk.vtkTIFFWriter()
filename = "%s.tif"%filename.strip(".tif")
writer.SetInputData(image)
writer.SetFileName(filename)
writer.Write()
for actor in view_prop_list:
self.slice_data.renderer.AddViewProp(actor)
Publisher.sendMessage('End busy cursor')
def OnShowText(self, pubsub_evt):
self.ShowTextActors()
def OnHideText(self, pubsub_evt):
self.HideTextActors()
def OnCloseProject(self, pubsub_evt):
self.CloseProject()
def CloseProject(self):
for slice_data in self.slice_data_list:
del slice_data
self.slice_data_list = []
self.layout = (1, 1)
self.orientation_texts = []
self.slice_number = 0
self.cursor = None
self.wl_text = None
self.pick = vtk.vtkWorldPointPicker()
def OnSetInteractorStyle(self, pubsub_evt):
state = pubsub_evt.data
self.SetInteractorStyle(state)
if (state != const.SLICE_STATE_EDITOR):
Publisher.sendMessage('Set interactor default cursor')
def __bind_events_wx(self):
self.scroll.Bind(wx.EVT_SCROLL, self.OnScrollBar)
self.scroll.Bind(wx.EVT_SCROLL_THUMBTRACK, self.OnScrollBarRelease)
#self.scroll.Bind(wx.EVT_SCROLL_ENDSCROLL, self.OnScrollBarRelease)
self.interactor.Bind(wx.EVT_KEY_DOWN, self.OnKeyDown)
self.interactor.Bind(wx.EVT_RIGHT_UP, self.OnContextMenu)
self.interactor.Bind(wx.EVT_SIZE, self.OnSize)
def LoadImagedata(self, pubsub_evt):
mask_dict = pubsub_evt.data
self.SetInput(mask_dict)
def LoadRenderers(self, imagedata):
number_renderers = self.layout[0] * self.layout[1]
diff = number_renderers - len(self.slice_data_list)
if diff > 0:
for i in xrange(diff):
slice_data = self.create_slice_window(imagedata)
self.slice_data_list.append(slice_data)
elif diff < 0:
to_remove = self.slice_data_list[number_renderers::]
for slice_data in to_remove:
self.interactor.GetRenderWindow().RemoveRenderer(slice_data.renderer)
self.slice_data_list = self.slice_data_list[:number_renderers]
def __configure_renderers(self):
proportion_x = 1.0 / self.layout[0]
proportion_y = 1.0 / self.layout[1]
# The (0,0) in VTK is in bottom left. So the creation from renderers
# must be # in inverted order, from the top left to bottom right
w, h = self.interactor.GetRenderWindow().GetSize()
w *= proportion_x
h *= proportion_y
n = 0
for j in xrange(self.layout[1]-1, -1, -1):
for i in xrange(self.layout[0]):
slice_xi = i*proportion_x
slice_xf = (i+1)*proportion_x
slice_yi = j*proportion_y
slice_yf = (j+1)*proportion_y
position = (slice_xi, slice_yi, slice_xf, slice_yf)
slice_data = self.slice_data_list[n]
slice_data.renderer.SetViewport(position)
# Text actor position
x, y = const.TEXT_POS_LEFT_DOWN
slice_data.text.SetPosition((x+slice_xi,y+slice_yi))
slice_data.SetCursor(self.__create_cursor())
slice_data.SetSize((w, h))
self.__update_camera(slice_data)
style = 0
if j == 0:
style = style | sd.BORDER_DOWN
if j == self.layout[1] - 1:
style = style | sd.BORDER_UP
if i == 0:
style = style | sd.BORDER_LEFT
if i == self.layout[0] - 1:
style = style | sd.BORDER_RIGHT
slice_data.SetBorderStyle(style)
n += 1
def __create_cursor(self):
cursor = ca.CursorCircle()
cursor.SetOrientation(self.orientation)
#self.__update_cursor_position([i for i in actor_bound[1::2]])
cursor.SetColour(self._brush_cursor_colour)
cursor.SetSpacing(self.slice_.spacing)
cursor.Show(0)
self.cursor_ = cursor
return cursor
def SetInput(self, mask_dict):
self.slice_ = sl.Slice()
max_slice_number = sl.Slice().GetNumberOfSlices(self.orientation)
self.scroll.SetScrollbar(wx.SB_VERTICAL, 1, max_slice_number,
max_slice_number)
self.slice_data = self.create_slice_window()
self.slice_data.SetCursor(self.__create_cursor())
self.cam = self.slice_data.renderer.GetActiveCamera()
self.__build_cross_lines()
canvas = CanvasRendererCTX(self)
# Set the slice number to the last slice to ensure the camera if far
# enough to show all slices.
self.set_slice_number(max_slice_number - 1)
self.__update_camera()
self.slice_data.renderer.ResetCamera()
self.interactor.GetRenderWindow().AddRenderer(self.slice_data.renderer)
self.interactor.Render()
self.EnableText()
self.wl_text.Hide()
## Insert cursor
self.SetInteractorStyle(const.STATE_DEFAULT)
def __build_cross_lines(self):
renderer = self.slice_data.overlay_renderer
cross = vtk.vtkCursor3D()
cross.AllOff()
cross.AxesOn()
self.cross = cross
c = vtk.vtkCoordinate()
c.SetCoordinateSystemToWorld()
cross_mapper = vtk.vtkPolyDataMapper()
cross_mapper.SetInputConnection(cross.GetOutputPort())
#cross_mapper.SetTransformCoordinate(c)
p = vtk.vtkProperty()
p.SetColor(1, 0, 0)
cross_actor = vtk.vtkActor()
cross_actor.SetMapper(cross_mapper)
cross_actor.SetProperty(p)
cross_actor.VisibilityOff()
# Only the slices are pickable
cross_actor.PickableOff()
self.cross_actor = cross_actor
renderer.AddActor(cross_actor)
def __update_cross_position(self, pubsub_evt):
pos = pubsub_evt.data
self.cross.SetFocalPoint(pos)
def _set_cross_visibility(self, visibility):
self.cross_actor.SetVisibility(visibility)
def _set_editor_cursor_visibility(self, visibility):
for slice_data in self.slice_data_list:
slice_data.cursor.actor.SetVisibility(visibility)
def SetOrientation(self, orientation):
self.orientation = orientation
for slice_data in self.slice_data_list:
self.__update_camera(slice_data)
def create_slice_window(self):
renderer = vtk.vtkRenderer()
renderer.SetLayer(0)
cam = renderer.GetActiveCamera()
canvas_renderer = vtk.vtkRenderer()
canvas_renderer.SetLayer(1)
canvas_renderer.SetActiveCamera(cam)
canvas_renderer.SetInteractive(0)
canvas_renderer.PreserveDepthBufferOn()
overlay_renderer = vtk.vtkRenderer()
overlay_renderer.SetLayer(2)
overlay_renderer.SetActiveCamera(cam)
overlay_renderer.SetInteractive(0)
self.interactor.GetRenderWindow().SetNumberOfLayers(3)
self.interactor.GetRenderWindow().AddRenderer(overlay_renderer)
self.interactor.GetRenderWindow().AddRenderer(canvas_renderer)
self.interactor.GetRenderWindow().AddRenderer(renderer)
actor = vtk.vtkImageActor()
# TODO: Create a option to let the user set if he wants to interpolate
# the slice images.
#actor.InterpolateOff()
slice_data = sd.SliceData()
slice_data.SetOrientation(self.orientation)
slice_data.renderer = renderer
slice_data.canvas_renderer = canvas_renderer
slice_data.overlay_renderer = overlay_renderer
slice_data.actor = actor
slice_data.SetBorderStyle(sd.BORDER_ALL)
renderer.AddActor(actor)
renderer.AddActor(slice_data.text.actor)
renderer.AddViewProp(slice_data.box_actor)
return slice_data
def __update_camera(self):
orientation = self.orientation
proj = project.Project()
orig_orien = proj.original_orientation
self.cam.SetFocalPoint(0, 0, 0)
self.cam.SetViewUp(const.SLICE_POSITION[orig_orien][0][self.orientation])
self.cam.SetPosition(const.SLICE_POSITION[orig_orien][1][self.orientation])
#self.cam.ComputeViewPlaneNormal()
#self.cam.OrthogonalizeViewUp()
self.cam.ParallelProjectionOn()
def __update_display_extent(self, image):
self.slice_data.actor.SetDisplayExtent(image.GetExtent())
self.slice_data.renderer.ResetCameraClippingRange()
def UpdateRender(self, evt):
print "Updating viewer", self.orientation
self.interactor.Render()
def __configure_scroll(self):
actor = self.slice_data_list[0].actor
number_of_slices = self.layout[0] * self.layout[1]
max_slice_number = actor.GetSliceNumberMax()/ \
number_of_slices
if actor.GetSliceNumberMax()% number_of_slices:
max_slice_number += 1
self.scroll.SetScrollbar(wx.SB_VERTICAL, 1, max_slice_number,
max_slice_number)
self.set_scroll_position(0)
@property
def number_slices(self):
return self._number_slices
@number_slices.setter
def number_slices(self, val):
if val != self._number_slices:
self._number_slices = val
buffer_ = self.slice_.buffer_slices[self.orientation]
buffer_.discard_buffer()
def set_scroll_position(self, position):
self.scroll.SetThumbPosition(position)
self.OnScrollBar()
def UpdateSlice3D(self, pos):
original_orientation = project.Project().original_orientation
pos = self.scroll.GetThumbPosition()
Publisher.sendMessage('Change slice from slice plane',\
(self.orientation, pos))
def OnScrollBar(self, evt=None, update3D=True):
pos = self.scroll.GetThumbPosition()
self.set_slice_number(pos)
if update3D:
self.UpdateSlice3D(pos)
if self.state == const.SLICE_STATE_CROSS:
# Update other slice's cross according to the new focal point from
# the actual orientation.
focal_point = self.cross.GetFocalPoint()
Publisher.sendMessage('Update cross position', focal_point)
Publisher.sendMessage('Update slice viewer')
else:
self.interactor.Render()
if evt:
if self._flush_buffer:
self.slice_.apply_slice_buffer_to_mask(self.orientation)
evt.Skip()
def OnScrollBarRelease(self, evt):
pos = self.scroll.GetThumbPosition()
evt.Skip()
def OnKeyDown(self, evt=None, obj=None):
pos = self.scroll.GetThumbPosition()
skip = True
min = 0
max = self.slice_.GetMaxSliceNumber(self.orientation)
projections = {wx.WXK_NUMPAD0 : const.PROJECTION_NORMAL,
wx.WXK_NUMPAD1 : const.PROJECTION_MaxIP,
wx.WXK_NUMPAD2 : const.PROJECTION_MinIP,
wx.WXK_NUMPAD3 : const.PROJECTION_MeanIP,
wx.WXK_NUMPAD4 : const.PROJECTION_MIDA,
wx.WXK_NUMPAD5 : const.PROJECTION_CONTOUR_MIP,
wx.WXK_NUMPAD6 : const.PROJECTION_CONTOUR_MIDA,}
if self._flush_buffer:
self.slice_.apply_slice_buffer_to_mask(self.orientation)
if (evt.GetKeyCode() == wx.WXK_UP and pos > min):
self.OnScrollForward()
self.OnScrollBar()
elif (evt.GetKeyCode() == wx.WXK_DOWN and pos < max):
self.OnScrollBackward()
self.OnScrollBar()
elif (evt.GetKeyCode() == wx.WXK_NUMPAD_ADD):
actual_value = self.mip_ctrls.mip_size_spin.GetValue()
self.mip_ctrls.mip_size_spin.SetValue(actual_value + 1)
if self.mip_ctrls.mip_size_spin.GetValue() != actual_value:
self.number_slices = self.mip_ctrls.mip_size_spin.GetValue()
self.ReloadActualSlice()
elif (evt.GetKeyCode() == wx.WXK_NUMPAD_SUBTRACT):
actual_value = self.mip_ctrls.mip_size_spin.GetValue()
self.mip_ctrls.mip_size_spin.SetValue(actual_value - 1)
if self.mip_ctrls.mip_size_spin.GetValue() != actual_value:
self.number_slices = self.mip_ctrls.mip_size_spin.GetValue()
self.ReloadActualSlice()
elif evt.GetKeyCode() in projections:
self.slice_.SetTypeProjection(projections[evt.GetKeyCode()])
Publisher.sendMessage('Set projection type', projections[evt.GetKeyCode()])
Publisher.sendMessage('Reload actual slice')
skip = False
self.UpdateSlice3D(pos)
self.interactor.Render()
if evt and skip:
evt.Skip()
def OnScrollForward(self, evt=None, obj=None):
if not self.scroll_enabled:
return
pos = self.scroll.GetThumbPosition()
min = 0
if(pos > min):
if self._flush_buffer:
self.slice_.apply_slice_buffer_to_mask(self.orientation)
pos = pos - 1
self.scroll.SetThumbPosition(pos)
self.OnScrollBar()
def OnScrollBackward(self, evt=None, obj=None):
if not self.scroll_enabled:
return
pos = self.scroll.GetThumbPosition()
max = self.slice_.GetMaxSliceNumber(self.orientation)
if(pos < max):
if self._flush_buffer:
self.slice_.apply_slice_buffer_to_mask(self.orientation)
pos = pos + 1
self.scroll.SetThumbPosition(pos)
self.OnScrollBar()
def OnSize(self, evt):
w, h = evt.GetSize()
w = float(w)
h = float(h)
if self.slice_data:
self.slice_data.SetSize((w, h))
evt.Skip()
def OnSetMIPSize(self, pubsub_evt):
val = pubsub_evt.data
self.number_slices = val
self.ReloadActualSlice()
def OnSetMIPBorder(self, pubsub_evt):
val = pubsub_evt.data
self.slice_.n_border = val
buffer_ = self.slice_.buffer_slices[self.orientation]
buffer_.discard_buffer()
self.ReloadActualSlice()
def OnSetMIPInvert(self, pubsub_evt):
val = pubsub_evt.data
self._mip_inverted = val
buffer_ = self.slice_.buffer_slices[self.orientation]
buffer_.discard_buffer()
self.ReloadActualSlice()
def OnShowMIPInterface(self, pubsub_evt):
value = pubsub_evt.data
if value:
if not self.mip_ctrls.Shown:
self.mip_ctrls.Show()
self.GetSizer().Add(self.mip_ctrls, 0, wx.EXPAND|wx.GROW|wx.ALL, 2)
self.Layout()
else:
self.mip_ctrls.Hide()
self.GetSizer().Remove(self.mip_ctrls)
self.Layout()
def OnSetOverwriteMask(self, pubsub_evt):
value = pubsub_evt.data
self.overwrite_mask = value
def set_slice_number(self, index):
inverted = self.mip_ctrls.inverted.GetValue()
border_size = self.mip_ctrls.border_spin.GetValue()
image = self.slice_.GetSlices(self.orientation, index,
self.number_slices, inverted, border_size)
self.slice_data.actor.SetInputData(image)
for actor in self.actors_by_slice_number[self.slice_data.number]:
self.slice_data.renderer.RemoveActor(actor)
for actor in self.actors_by_slice_number[index]:
self.slice_data.renderer.AddActor(actor)
# for (m, mr) in self.measures.get(self.orientation, self.slice_data.number):
# for actor in mr.GetActors():
# self.slice_data.renderer.RemoveActor(actor)
# for (m, mr) in self.measures.get(self.orientation, index):
# mr.renderer = self.slice_data.renderer
# for actor in mr.GetActors():
# self.slice_data.renderer.AddActor(actor)
if self.slice_._type_projection == const.PROJECTION_NORMAL:
self.slice_data.SetNumber(index)
else:
max_slices = self.slice_.GetMaxSliceNumber(self.orientation)
end = min(max_slices, index + self.number_slices - 1)
self.slice_data.SetNumber(index, end)
self.__update_display_extent(image)
self.cross.SetModelBounds(self.slice_data.actor.GetBounds())
def ChangeSliceNumber(self, pubsub_evt):
index = pubsub_evt.data
#self.set_slice_number(index)
self.scroll.SetThumbPosition(index)
pos = self.scroll.GetThumbPosition()
self.set_slice_number(pos)
self.interactor.Render()
def ReloadActualSlice(self, pubsub_evt=None):
pos = self.scroll.GetThumbPosition()
self.set_slice_number(pos)
self.interactor.Render()
def OnUpdateScroll(self, pubsub_evt):
max_slice_number = sl.Slice().GetNumberOfSlices(self.orientation)
self.scroll.SetScrollbar(wx.SB_VERTICAL, 1, max_slice_number,
max_slice_number)
def OnSwapVolumeAxes(self, pubsub_evt):
# Adjusting cursor spacing to match the spacing from the actual slice
# orientation
axis0, axis1 = pubsub_evt.data
cursor = self.slice_data.cursor
spacing = cursor.spacing
if (axis0, axis1) == (2, 1):
cursor.SetSpacing((spacing[1], spacing[0], spacing[2]))
elif (axis0, axis1) == (2, 0):
cursor.SetSpacing((spacing[2], spacing[1], spacing[0]))
elif (axis0, axis1) == (1, 0):
cursor.SetSpacing((spacing[0], spacing[2], spacing[1]))
self.slice_data.renderer.ResetCamera()
def AddActors(self, pubsub_evt):
"Inserting actors"
actors, n = pubsub_evt.data
pos = self.scroll.GetThumbPosition()
#try:
#renderer = self.renderers_by_slice_number[n]
#for actor in actors:
#renderer.AddActor(actor)
#except KeyError:
#pass
if pos == n:
for actor in actors:
self.slice_data.renderer.AddActor(actor)
self.actors_by_slice_number[n].extend(actors)
def RemoveActors(self, pubsub_evt):
"Remove a list of actors"
actors, n = pubsub_evt.data
try:
renderer = self.renderers_by_slice_number[n]
except KeyError:
for actor in actors:
self.actors_by_slice_number[n].remove(actor)
self.slice_data.renderer.RemoveActor(actor)
else:
for actor in actors:
# Remove the actor from the renderer
renderer.RemoveActor(actor)
# and remove the actor from the actor's list
self.actors_by_slice_number[n].remove(actor)