-
-
Notifications
You must be signed in to change notification settings - Fork 90
/
proppages.py
1091 lines (838 loc) · 41.8 KB
/
proppages.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# -*- coding: utf-8 -*-
# (C) 2014 Minoru Akagi
# SPDX-License-Identifier: GPL-2.0-or-later
# begin: 2014-03-27
import os
import json
import re
from PyQt5.QtCore import Qt, QPoint, QSize, QUrl
from PyQt5.QtWidgets import (QAbstractItemView, QAction, QActionGroup, QCheckBox, QComboBox, QGroupBox, QLineEdit,
QListWidgetItem, QMenu, QMessageBox, QRadioButton, QSlider, QSpinBox, QToolTip, QWidget)
from PyQt5.QtGui import QColor, QCursor, QIcon, QPixmap
from qgis.core import Qgis, QgsApplication, QgsCoordinateTransform, QgsFieldProxyModel, QgsMapLayer, QgsProject, QgsWkbTypes
from qgis.gui import QgsColorButton, QgsFieldExpressionWidget
try:
from processing.gui.RectangleMapTool import RectangleMapTool
HAVE_PROCESSING = True
except:
HAVE_PROCESSING = False
from .ui.sceneproperties import Ui_ScenePropertiesWidget
from .ui.demproperties import Ui_DEMPropertiesWidget
from .ui.vectorproperties import Ui_VectorPropertiesWidget
from .ui.pcproperties import Ui_PCPropertiesWidget
from . import q3dconst
from .conf import DEF_SETS, PLUGIN_NAME
from .datamanager import MaterialManager
from .mapextent import MapExtent
from .pluginmanager import pluginManager
from .q3dcore import calculateGridSegments
from .q3dconst import LayerType, DEMMtlType
from .utils import (createUid, selectColor, getDEMLayersInProject, selectImageFile, getLayersInProject, hex_color,
logMessage, shortTextFromSelectedLayerIds)
from .propwidget import PropertyWidget
from .vectorobject import ObjectType
PAGE_NONE = 0
PAGE_SCENE = 1
# PAGE_CONTROLS = 2
PAGE_DEM = 3
PAGE_VECTOR = 4
PAGE_POINTCLOUD = 5
def is_number(val):
try:
float(val)
return True
except ValueError:
return False
class HiddenProperty:
def __init__(self, name, val=None):
self.name = name
self.value = val
self.visible = False
def objectName(self):
return self.name
def isVisible(self):
return self.visible
def setVisible(self, visible):
self.visible = visible
class PropertyPage(QWidget):
def __init__(self, parent, pageType):
QWidget.__init__(self, parent)
self.dialog = parent
self.pageType = pageType
self.propertyWidgets = []
def setLayoutVisible(self, layout, visible):
for i in range(layout.count()):
item = layout.itemAt(i)
w = item.widget()
if w:
w.setVisible(visible)
continue
lyt = item.layout()
if lyt:
self.setLayoutVisible(lyt, visible)
def setLayoutsVisible(self, layouts, visible):
for layout in layouts:
self.setLayoutVisible(layout, visible)
def setWidgetsVisible(self, widgets, visible):
for w in widgets:
w.setVisible(visible)
def setLayoutEnabled(self, layout, enabled):
for i in range(layout.count()):
item = layout.itemAt(i)
w = item.widget()
if w:
w.setEnabled(enabled)
continue
lyt = item.layout()
if lyt:
self.setLayoutEnabled(lyt, enabled)
def setLayoutsEnabled(self, layouts, enabled):
for layout in layouts:
self.setLayoutEnabled(layout, enabled)
def setWidgetsEnabled(self, widgets, enabled):
for w in widgets:
w.setEnabled(enabled)
def registerPropertyWidgets(self, widgets):
self.propertyWidgets = widgets
def properties(self, widgets=None, only_visible=False):
widgets = widgets or self.propertyWidgets
p = {}
for w in widgets:
if only_visible and not w.isVisible():
continue
v = None
if isinstance(w, QComboBox):
v = w.currentData()
if v is None and w.isEditable():
v = w.currentText()
elif isinstance(w, QRadioButton):
if not w.isChecked():
continue
v = w.isChecked()
elif isinstance(w, (QCheckBox, QGroupBox)):
v = w.isChecked()
elif isinstance(w, (QSlider, QSpinBox)):
v = w.value()
elif isinstance(w, QLineEdit):
v = w.text()
elif isinstance(w, PropertyWidget):
v = w.values()
elif isinstance(w, QgsFieldExpressionWidget):
v = w.expression()
elif isinstance(w, QgsColorButton):
c = w.color()
v = [c.red(), c.green(), c.blue(), c.alpha()]
elif isinstance(w, HiddenProperty):
v = w.value
else:
logMessage("[proppages.py] Not recognized widget type: " + str(type(w)), warning=True)
p[w.objectName()] = v
return p
def setProperties(self, properties, widgets=None):
widgets = widgets or self.propertyWidgets
for w in widgets:
v = properties.get(w.objectName())
if v is None:
continue
if isinstance(w, QComboBox):
index = w.findData(v)
if index != -1:
w.setCurrentIndex(index)
elif w.isEditable():
w.setEditText(str(v))
elif isinstance(w, (QRadioButton, QCheckBox, QGroupBox)):
w.setChecked(v)
elif isinstance(w, (QSlider, QSpinBox)):
w.setValue(v)
elif isinstance(w, QLineEdit):
w.setText(v)
w.setCursorPosition(0)
elif isinstance(w, PropertyWidget):
if len(v):
w.setValues(v)
elif isinstance(w, QgsFieldExpressionWidget):
w.setExpression(v)
elif isinstance(w, QgsColorButton):
if isinstance(v, list):
w.setColor(QColor(*v))
else:
w.setColor(QColor(v.replace("0x", "#")))
elif isinstance(w, HiddenProperty):
w.value = v
class ScenePropertyPage(PropertyPage, Ui_ScenePropertiesWidget):
def __init__(self, parent, properties, canvas):
PropertyPage.__init__(self, parent, PAGE_SCENE)
Ui_ScenePropertiesWidget.setupUi(self, self)
self.mapSettings = canvas.mapSettings()
widgets = [self.comboBox_xyShift, self.radioButton_FixedExtent, self.lineEdit_CenterX, self.lineEdit_CenterY,
self.lineEdit_Width, self.lineEdit_Height, self.lineEdit_Rotation, self.checkBox_FixAspectRatio,
self.lineEdit_zFactor,
self.radioButton_Color, self.colorButton_Color,
self.groupBox_Fog, self.colorButton_Fog, self.slider_Fog,
self.radioButton_PtLight,
self.comboBox_MaterialType, self.checkBox_Outline,
self.radioButton_WGS84, self.radioButton_NoCoords]
self.registerPropertyWidgets(widgets)
# 3D world coordinates
self.comboBox_xyShift.addItem("Center of base extent", True)
self.comboBox_xyShift.addItem("Origin of map coordinate system", False)
self.comboBox_xyShift.setItemData(0, "Shifts the 3D world origin to center of base extent to preserve precision.", Qt.ToolTipRole)
self.comboBox_xyShift.setItemData(1, "Outputs map coordinates without transformation.", Qt.ToolTipRole)
# 2D map extent
self.radioButton_FixedExtent.toggled.connect(self.fixedExtentToggled)
self.lineEdit_Width.editingFinished.connect(self.widthEditingFinished)
self.pushButton_SelectExtent.clicked.connect(self.showSelectExtentMenu)
self.checkBox_FixAspectRatio.toggled.connect(self.fixAspectRatioToggled)
if self.radioButton_UseCanvasExtent.isChecked():
self.fixedExtentToggled(False)
if HAVE_PROCESSING:
self.initMapTool(canvas)
# material type
self.comboBox_MaterialType.addItem("Lambert Material", MaterialManager.MESH_LAMBERT)
self.comboBox_MaterialType.addItem("Phong Material", MaterialManager.MESH_PHONG)
self.comboBox_MaterialType.addItem("Toon Material", MaterialManager.MESH_TOON)
# restore properties
if properties:
self.setProperties(properties)
else:
self.radioButton_UseCanvasExtent.setChecked(True)
self.lineEdit_zFactor.setText(str(DEF_SETS.Z_EXAGGERATION))
self.colorButton_Fog.setColor(QColor(Qt.white))
# supported projections
# https://github.com/proj4js/proj4js
projs = ["longlat", "merc"]
projs += ["aea", "aeqd", "cass", "cea", "eqc", "eqdc", "etmerc", "geocent", "gnom", "krovak", "laea", "lcc", "mill", "moll",
"nzmg", "omerc", "ortho", "poly", "qsc", "robin", "sinu", "somerc", "stere", "sterea", "tmerc", "tpers", "utm", "vandg"]
crs = QgsProject.instance().crs()
proj = crs.toProj4() if Qgis.QGIS_VERSION_INT < 31003 else crs.toProj()
m = re.search(r"\+proj=(\w+)", proj)
proj_supported = bool(m and m.group(1) in projs)
if not proj_supported and not self.radioButton_NoCoords.isChecked():
self.radioButton_ProjectCRS.setChecked(True)
self.radioButton_WGS84.setEnabled(proj_supported)
def initMapTool(self, canvas):
try:
self.canvas = canvas
self.prevMapTool = canvas.mapTool()
self.mapTool = RectangleMapTool(canvas)
self.mapTool.rectangleCreated.connect(self.updateExtent)
return True
except:
HAVE_PROCESSING = False
return False
def properties(self, only_visible=False):
p = PropertyPage.properties(self, only_visible=only_visible)
# check validity
if not is_number(self.lineEdit_zFactor.text()):
p["lineEdit_zFactor"] = str(DEF_SETS.Z_EXAGGERATION)
return p
def setExtent(self, extent=None):
be = extent or MapExtent.fromMapSettings(self.mapSettings, self.checkBox_FixAspectRatio.isChecked())
self.lineEdit_CenterX.setText(str(be.center().x()))
self.lineEdit_CenterY.setText(str(be.center().y()))
self.lineEdit_Width.setText(str(be.width()))
self.lineEdit_Height.setText(str(be.height()))
self.lineEdit_Rotation.setText(str(be.rotation()))
for i in range(self.gridLayout_Extent.count()):
w = self.gridLayout_Extent.itemAt(i).widget()
if isinstance(w, QLineEdit):
w.setCursorPosition(0)
def fixedExtentToggled(self, checked):
self.setLayoutEnabled(self.gridLayout_Extent, checked)
if checked:
if self.checkBox_FixAspectRatio.isChecked():
self.fixAspectRatioToggled(True)
else:
self.setExtent()
def fixAspectRatioToggled(self, checked):
if self.radioButton_FixedExtent.isChecked():
self.lineEdit_Height.setEnabled(not checked)
if checked:
try:
w, h = (float(self.lineEdit_Width.text()), float(self.lineEdit_Height.text()))
if w > h:
self.lineEdit_Height.setText(self.lineEdit_Width.text())
else:
self.lineEdit_Width.setText(self.lineEdit_Height.text())
self.lineEdit_Width.setCursorPosition(0)
self.lineEdit_Height.setCursorPosition(0)
except ValueError:
pass
else:
self.setExtent()
def widthEditingFinished(self):
if self.checkBox_FixAspectRatio.isChecked():
self.lineEdit_Height.setText(self.lineEdit_Width.text())
self.lineEdit_Height.setCursorPosition(0)
def showSelectExtentMenu(self):
popup = QMenu()
if HAVE_PROCESSING:
selectOnCanvasAction = QAction("Select Extent on Canvas", self.pushButton_SelectExtent)
selectOnCanvasAction.triggered.connect(self.selectExtentOnCanvas)
popup.addAction(selectOnCanvasAction)
popup.addSeparator()
useLayerExtentAction = QAction("Use Layer Extent...", self.pushButton_SelectExtent)
useLayerExtentAction.triggered.connect(self.useLayerExtent)
popup.addAction(useLayerExtentAction)
popup.exec_(QCursor.pos())
def selectExtentOnCanvas(self):
self.canvas.setMapTool(self.mapTool)
self.dialog.wnd.showMinimized()
def updateExtent(self):
self.checkBox_FixAspectRatio.setChecked(False)
r = self.mapTool.rectangle()
extent = MapExtent(r.center(), r.width(), r.height(), self.canvas.mapSettings().rotation()) # get current map settings
self.setExtent(extent)
self.mapTool.reset()
self.canvas.setMapTool(self.prevMapTool)
wnd = self.dialog.wnd
wnd.showNormal()
wnd.activateWindow()
def useLayerExtent(self):
from .layerselectdialog import SingleLayerSelectDialog
dlg = SingleLayerSelectDialog(self, "Use extent from")
dlg.setWindowTitle("Select Extent")
if dlg.exec_():
layer = dlg.selectedLayer()
transform = QgsCoordinateTransform(layer.crs(), self.mapSettings.destinationCrs(), QgsProject.instance())
r = transform.transformBoundingBox(layer.extent())
self.checkBox_FixAspectRatio.setChecked(False)
extent = MapExtent(r.center(), r.width(), r.height())
self.setExtent(extent)
class DEMPropertyPage(PropertyPage, Ui_DEMPropertiesWidget):
# item data role for material list widget
DATA_ID = Qt.UserRole
DATA_PROPERTIES = Qt.UserRole + 1 # except for layer ids
def __init__(self, parent, layer, settings, mapSettings):
PropertyPage.__init__(self, parent, PAGE_DEM)
Ui_DEMPropertiesWidget.setupUi(self, self)
self.layer = layer
self.extent = settings.baseExtent()
self.mapSettings = mapSettings
self.isPlane = bool(layer.layerId.startswith("fp:"))
widgets = [self.lineEdit_Name]
if self.isPlane:
widgets += [self.lineEdit_Altitude]
else:
widgets += [self.horizontalSlider_DEMSize, self.spinBox_Roughening]
widgets += [self.checkBox_Clip, self.comboBox_ClipLayer]
widgets += [self.checkBox_Tiles, self.spinBox_Size]
widgets += [self.checkBox_Sides, self.colorButton_Side, self.lineEdit_Bottom,
self.checkBox_Frame, self.colorButton_Edge,
self.checkBox_Wireframe, self.colorButton_Wireframe, self.checkBox_Visible, self.checkBox_Clickable]
self.registerPropertyWidgets(widgets)
# geometry group
if self.isPlane:
self.setLayoutVisible(self.horizontalLayout_Resampling, False)
self.setLayoutVisible(self.verticalLayout_Clip, False)
self.setWidgetsEnabled([self.label_Roughness, self.spinBox_Roughening], False)
self.lineEdit_Altitude.textChanged.connect(self.altitudeChanged)
else:
self.setLayoutVisible(self.formLayout_Altitude, False)
self.lineEdit_Name.setPlaceholderText(layer.mapLayer.name() if layer.mapLayer else layer.name)
self.initLayerComboBox()
self.spinBox_Size.findChild(QLineEdit).setReadOnly(True)
self.spinBox_Roughening.findChild(QLineEdit).setReadOnly(True)
self.horizontalSlider_DEMSize.valueChanged.connect(self.resolutionSliderChanged)
self.checkBox_Clip.toggled.connect(self.clipToggled)
self.checkBox_Tiles.toggled.connect(self.tilesToggled)
self.spinBox_Roughening.valueChanged.connect(self.rougheningChanged)
# material group
self.mtlLayerIds = HiddenProperty("layerIds", [])
self.mtlWidgets = [self.comboBox_TextureSize, self.radioButton_PNG, self.radioButton_JPEG, self.lineEdit_ImageFile, self.colorButton_Color,
self.spinBox_Opacity, self.checkBox_TransparentBackground, self.checkBox_Shading,
self.mtlLayerIds]
self.toolButton_AddMtl.setIcon(QgsApplication.getThemeIcon("symbologyAdd.svg"))
self.toolButton_RemoveMtl.setIcon(QgsApplication.getThemeIcon("symbologyRemove.svg"))
self.mtlAddActionGroup = QActionGroup(self)
for i, text in [(DEMMtlType.LAYER, "Select Layer(s)..."),
(DEMMtlType.FILE, "Image File..."),
(DEMMtlType.COLOR, "Solid Color..."),
(DEMMtlType.MAPCANVAS, "Map Canvas Layers")]:
a = QAction(text, self)
a.setData(i)
self.mtlAddActionGroup.addAction(a)
self.mtlAddActionGroup.triggered.connect(self.addMaterial)
self.contextMenuAddMtl = QMenu(self)
self.contextMenuAddMtl.addActions(self.mtlAddActionGroup.actions())
self.mtlRenameAction = QAction("Rename", self)
self.mtlRenameAction.triggered.connect(self.renameMtlItem)
self.contextMenuMtl = QMenu(self)
self.contextMenuMtl.addAction(self.mtlRenameAction)
self.comboBox_TextureSize.addItems(["512", "1024", "2048", "4096"])
self.comboBox_TextureSize.setCurrentText(str(DEF_SETS.TEXTURE_SIZE))
self.toolButton_AddMtl.clicked.connect(lambda: self.contextMenuAddMtl.popup(QCursor.pos()))
self.toolButton_RemoveMtl.clicked.connect(self.removeMaterial)
self.listWidget_Materials.setDragDropMode(QAbstractItemView.InternalMove)
self.listWidget_Materials.setDefaultDropAction(Qt.MoveAction)
self.listWidget_Materials.setContextMenuPolicy(Qt.CustomContextMenu)
self.listWidget_Materials.setIconSize(QSize(16, 16))
self.listWidget_Materials.customContextMenuRequested.connect(lambda: self.contextMenuMtl.popup(QCursor.pos()))
self.listWidget_Materials.currentItemChanged.connect(self.materialItemChanged)
self.toolButton_SelectLayer.clicked.connect(self.selectLayer)
self.toolButton_ImageFile.clicked.connect(self.selectImageFile)
self.colorButton_Color.colorChanged.connect(self.colorChanged)
# restore properties
properties = layer.properties
properties["colorButton_Side"] = properties.get("colorButton_Side", DEF_SETS.SIDE_COLOR)
properties["colorButton_Edge"] = properties.get("colorButton_Edge", DEF_SETS.EDGE_COLOR) # added in 2.6
properties["colorButton_Wireframe"] = properties.get("colorButton_Wireframe", DEF_SETS.WIREFRAME_COLOR) # added in 2.6
properties["lineEdit_Bottom"] = properties.get("lineEdit_Bottom", str(DEF_SETS.Z_BOTTOM)) # added in 2.7
self.setProperties(properties)
if self.isPlane:
self.altitudeChanged(self.lineEdit_Altitude.text())
# set enable and visible properties of widgets
self.tilesToggled(self.checkBox_Tiles.isChecked())
self.comboBox_ClipLayer.setVisible(self.checkBox_Clip.isChecked())
if not self.checkBox_Sides.isChecked():
self.label_Bottom.setVisible(False)
self.lineEdit_Bottom.setVisible(False)
def initLayerComboBox(self):
# list of polygon layers
self.comboBox_ClipLayer.blockSignals(True)
self.comboBox_ClipLayer.clear()
for mapLayer in getLayersInProject():
if mapLayer.type() == QgsMapLayer.VectorLayer and mapLayer.geometryType() == QgsWkbTypes.PolygonGeometry:
self.comboBox_ClipLayer.addItem(mapLayer.name(), mapLayer.id())
self.comboBox_ClipLayer.blockSignals(False)
def altitudeChanged(self, alt):
self.lineEdit_Name.setPlaceholderText("Flat Plane" + ("" if alt == "0" or alt == "" else " ({})".format(alt)))
def resolutionSliderChanged(self, v):
resolutionLevel = self.horizontalSlider_DEMSize.value()
roughness = self.spinBox_Roughening.value() if self.checkBox_Tiles.isChecked() else 0
gridSegments = calculateGridSegments(self.extent, resolutionLevel, roughness)
tip = """Level: {0}
Grid Segments: {1} x {2}
Grid Spacing: {3:.5f} x {4:.5f}{5}"""
tip = tip.format(resolutionLevel,
gridSegments.width(), gridSegments.height(),
self.extent.width() / gridSegments.width(),
self.extent.height() / gridSegments.height(),
"" if self.extent.width() == self.extent.height() else " (Approx.)")
QToolTip.showText(self.horizontalSlider_DEMSize.mapToGlobal(QPoint(0, 0)), tip, self.horizontalSlider_DEMSize)
def selectLayer(self, _checked=False, update=True):
from .layerselectdialog import LayerSelectDialog
item = self.listWidget_Materials.currentItem() if update else None
p = (item.data(self.DATA_PROPERTIES) if item else None) or {}
ids = p.get("layerIds")
dialog = LayerSelectDialog(self)
dialog.initTree(ids)
dialog.setMapSettings(self.mapSettings)
if not dialog.exec_():
return None
ids = dialog.visibleLayerIds()
if update:
self.mtlLayerIds.value = ids
self.updateLayerImageLabel()
item.setText(self.uniqueMtlName(self.mtlNameFromLayerIds(ids)))
return ids
def updateLayerImageLabel(self):
self.label_LayerImage.setText(shortTextFromSelectedLayerIds(self.mtlLayerIds.value))
def selectImageFile(self, _checked=False, update=True):
directory = os.path.split(self.lineEdit_ImageFile.text())[0]
filename = selectImageFile(self, directory)
if filename and update:
self.lineEdit_ImageFile.setText(filename)
item = self.listWidget_Materials.currentItem()
if item:
item.setText(os.path.splitext(os.path.basename(filename))[0])
return filename
def colorChanged(self, color):
item = self.listWidget_Materials.currentItem()
if item and item.type() == DEMMtlType.COLOR:
item.setIcon(DEMPropertyPage.iconForColor(color))
def tilesToggled(self, checked):
self.setLayoutVisible(self.gridLayout_Tiles, checked)
self.setLayoutEnabled(self.verticalLayout_Clip, not checked)
if checked:
self.checkBox_Clip.setChecked(False)
def clipToggled(self, checked):
if checked:
self.checkBox_Frame.setChecked(False)
self.checkBox_Wireframe.setChecked(False)
def rougheningChanged(self, v):
# possible value is a power of 2
self.spinBox_Roughening.setSingleStep(v)
self.spinBox_Roughening.setMinimum(max(v // 2, 1))
def properties(self, only_visible=False):
p = PropertyPage.properties(self, only_visible=only_visible)
p["materials"] = self.materials()
mtlItem = self.listWidget_Materials.currentItem()
if mtlItem:
p["mtlId"] = mtlItem.data(Qt.UserRole)
return p
def setProperties(self, properties):
PropertyPage.setProperties(self, properties)
self.setMaterials(properties.get("materials", []))
if not self.listWidget_Materials.count():
self.addMaterial()
id = properties.get("mtlId")
if id:
self.setCurrentMtlItem(id)
else:
self.listWidget_Materials.setCurrentRow(0)
def materials(self):
self.materialItemChanged(None, self.listWidget_Materials.currentItem()) # update current item data
mtls = []
for row in range(self.listWidget_Materials.count()):
item = self.listWidget_Materials.item(row)
d = {
"id": item.data(self.DATA_ID),
"name": item.text(),
"type": item.type(),
"properties": item.data(self.DATA_PROPERTIES) or {}
}
mtls.append(d)
if mtls:
return mtls
self.addMaterial()
return self.materials()
def setMaterials(self, materials):
self.listWidget_Materials.clear()
for mtl in materials:
item = QListWidgetItem(mtl.get("name", ""), self.listWidget_Materials, mtl.get("type", DEMMtlType.MAPCANVAS))
item.setFlags(Qt.ItemIsSelectable | Qt.ItemIsEditable | Qt.ItemIsDragEnabled | Qt.ItemIsEnabled)
item.setData(self.DATA_ID, mtl.get("id"))
item.setData(self.DATA_PROPERTIES, mtl.get("properties"))
item.setIcon(DEMPropertyPage.iconForMtl(mtl))
def mtlNameFromLayerIds(self, mapLayerIds):
if not mapLayerIds:
return "empty map"
layer = QgsProject.instance().mapLayer(mapLayerIds[0])
if layer:
name = layer.name()
n = len(mapLayerIds)
if n == 1:
return name
else:
return "{} and {} layer{}".format(name, n - 1, "s" if n > 2 else "")
return "map"
def uniqueMtlName(self, base_name):
n = self.listWidget_Materials.count()
names = [self.listWidget_Materials.item(r).text() for r in range(n)]
for i in range(n + 1):
name = base_name
if i:
name += " {}".format(i + 1)
if name not in names:
return name
def addMaterial(self, action=None):
mtype = action.data() if action else DEMMtlType.MAPCANVAS
p = {
"spinBox_Opacity": 100,
"checkBox_Shading": True
}
if mtype in (DEMMtlType.LAYER, DEMMtlType.MAPCANVAS):
if mtype == DEMMtlType.LAYER:
ids = self.selectLayer(update=False)
if ids is None:
return
base_name = self.mtlNameFromLayerIds(ids)
p["layerIds"] = ids
else:
base_name = "map (canvas)"
p["comboBox_TextureSize"] = DEF_SETS.TEXTURE_SIZE
p["checkBox_TransparentBackground"] = False
elif mtype == DEMMtlType.FILE:
filename = self.selectImageFile(update=False)
if not filename:
return
base_name = os.path.splitext(os.path.basename(filename))[0]
p["lineEdit_ImageFile"] = filename
else:
color = selectColor()
if not color:
return
base_name = "color"
p["colorButton_Color"] = [color.red(), color.green(), color.blue()]
name = self.uniqueMtlName(base_name)
item = QListWidgetItem(name, self.listWidget_Materials, mtype)
item.setFlags(Qt.ItemIsSelectable | Qt.ItemIsEditable | Qt.ItemIsDragEnabled | Qt.ItemIsEnabled)
item.setData(self.DATA_ID, createUid())
item.setData(self.DATA_PROPERTIES, p)
item.setIcon(DEMPropertyPage.iconForMtl({"type": mtype, "properties": p}))
if action:
self.listWidget_Materials.setCurrentItem(item)
return item
def removeMaterial(self):
row = self.listWidget_Materials.currentRow()
if row >= 0:
item = self.listWidget_Materials.item(row)
msg = "Are you sure you want to remove material '{}'?".format(item.text())
if QMessageBox.question(self, PLUGIN_NAME, msg) == QMessageBox.Yes:
self.listWidget_Materials.takeItem(row)
def renameMtlItem(self):
item = self.listWidget_Materials.currentItem()
if item:
self.listWidget_Materials.editItem(item)
def setCurrentMtlItem(self, id):
for row in range(self.listWidget_Materials.count()):
if self.listWidget_Materials.item(row).data(Qt.UserRole) == id:
self.listWidget_Materials.setCurrentRow(row)
return
def materialItemChanged(self, current, previous):
if previous:
previous.setData(self.DATA_PROPERTIES, PropertyPage.properties(self, self.mtlWidgets, only_visible=True))
if not current:
return
p = current.data(self.DATA_PROPERTIES) or {}
PropertyPage.setProperties(self, p, self.mtlWidgets)
mtype = current.type()
if mtype == DEMMtlType.LAYER:
self.updateLayerImageLabel()
if previous and previous.type() == mtype:
return
# set up widgets for current material type
layers = image_size = image_file = color = tb = False
if mtype == DEMMtlType.LAYER:
layers = image_size = tb = True
elif mtype == DEMMtlType.MAPCANVAS:
image_size = tb = True
elif mtype == DEMMtlType.FILE:
image_file = True
else: # q3dconst.MTL_COLOR:
color = True
self.setWidgetsVisible([self.label_Layers, self.label_LayerImage, self.toolButton_SelectLayer, self.mtlLayerIds], layers)
self.setWidgetsVisible([self.label_TextureSize, self.comboBox_TextureSize, self.label_Format, self.radioButton_PNG, self.radioButton_JPEG], image_size)
self.setWidgetsVisible([self.label_ImageFile, self.lineEdit_ImageFile, self.toolButton_ImageFile], image_file)
self.setWidgetsVisible([self.label_Color, self.colorButton_Color], color)
self.setWidgetsVisible([self.checkBox_TransparentBackground], tb)
@staticmethod
def iconForMtl(mtl):
t = mtl.get("type")
if t == DEMMtlType.COLOR:
color = mtl.get("properties", {}).get("colorButton_Color")
if color:
return DEMPropertyPage.iconForColor(color)
else:
p = DEMMtlType.ICON_PATH.get(t)
if p:
return QgsApplication.getThemeIcon(p)
return QIcon()
@staticmethod
def iconForColor(color):
if not isinstance(color, QColor):
color = QColor(hex_color(color))
pixmap = QPixmap(24, 14)
pixmap.fill(color)
return QIcon(pixmap)
class VectorPropertyPage(PropertyPage, Ui_VectorPropertiesWidget):
def __init__(self, parent, layer, settings):
PropertyPage.__init__(self, parent, PAGE_VECTOR)
Ui_VectorPropertiesWidget.setupUi(self, self)
self.layer = layer
self.settings = settings
self.mapTo3d = settings.mapTo3d()
self.hasZ = self.hasM = False
mapLayer = layer.mapLayer
properties = layer.properties
self.lineEdit_Name.setPlaceholderText(mapLayer.name())
# object type
for objType in ObjectType.typesByGeomType(layer.type):
self.comboBox_ObjectType.addItem(objType.displayName(), objType.name)
if properties:
objType = properties.get("comboBox_ObjectType")
idx = self.comboBox_ObjectType.findData(objType)
if idx != -1:
self.comboBox_ObjectType.setCurrentIndex(idx)
# [z coordinate]
# mode combobox
self.comboBox_altitudeMode.addItem("Absolute")
for lyr in getDEMLayersInProject():
self.comboBox_altitudeMode.addItem('Relative to "{0}" layer'.format(lyr.name()), lyr.id())
for plugin in pluginManager().demProviderPlugins():
self.comboBox_altitudeMode.addItem('Relative to "{0}"'.format(plugin.providerName()), "plugin:" + plugin.providerId())
# z/m buttons
wkbType = mapLayer.wkbType()
self.hasZ = wkbType in [QgsWkbTypes.Point25D, QgsWkbTypes.LineString25D, QgsWkbTypes.Polygon25D,
QgsWkbTypes.MultiPoint25D, QgsWkbTypes.MultiLineString25D, QgsWkbTypes.MultiPolygon25D]
self.hasZ = self.hasZ or (wkbType // 1000 in [1, 3])
self.hasM = (wkbType // 1000 in [2, 3])
self.radioButton_zValue.setEnabled(self.hasZ)
self.radioButton_mValue.setEnabled(self.hasM)
if self.hasZ:
self.radioButton_zValue.setChecked(True)
else:
self.radioButton_Expression.setChecked(True)
# expression
self.fieldExpressionWidget_altitude.setFilters(QgsFieldProxyModel.Numeric)
self.fieldExpressionWidget_altitude.setLayer(mapLayer)
self.fieldExpressionWidget_altitude.setExpression("0")
# [geometry]
self.geomWidgets = []
for i in range(q3dconst.GEOM_WIDGET_MAX_COUNT):
name = "geomWidget{}".format(i)
w = PropertyWidget(self.groupBox_Geometry)
w.setObjectName(name)
self.geomWidgets.append(w)
self.verticalLayout_Geometry.addWidget(w)
# [material]
self.comboEdit_Color.setup(PropertyWidget.COLOR, mapLayer)
self.comboEdit_Color2.setup(PropertyWidget.OPTIONAL_COLOR, mapLayer)
self.comboEdit_Opacity.setup(PropertyWidget.OPACITY, mapLayer)
self.mtlWidgets = []
for i in range(q3dconst.MTL_WIDGET_MAX_COUNT):
name = "mtlWidget{}".format(i)
w = PropertyWidget(self.groupBox_Material)
w.setObjectName(name)
self.mtlWidgets.append(w)
self.verticalLayout_Material.addWidget(w)
# [features]
# point layer has no geometry clip option
self.checkBox_Clip.setVisible(layer.type != LayerType.POINT)
# [labels]
hasRPt = (layer.type in (LayerType.POINT, LayerType.POLYGON))
if hasRPt:
self.labelToggled(False)
self.labelHeightWidget.setup(PropertyWidget.LABEL_HEIGHT, mapLayer, {"defVal": DEF_SETS.LABEL_HEIGHT})
self.labelHeightWidget.label_1.setMinimumWidth(self.label_Text.minimumWidth())
self.expression_Label.setLayer(mapLayer)
self.expression_Label.setRow(0)
for text in ["sans-serif", "serif", "monospace", "cursive", "fantasy"]:
self.comboBox_FontFamily.addItem(text, text)
self.slider_FontSize.setValue(3)
self.colorButton_BgColor.setAllowOpacity(True)
properties["colorButton_Label"] = properties.get("colorButton_Label", DEF_SETS.LABEL_COLOR)
properties["colorButton_OtlColor"] = properties.get("colorButton_OtlColor", DEF_SETS.OTL_COLOR)
properties["colorButton_BgColor"] = properties.get("colorButton_BgColor", DEF_SETS.BG_COLOR)
properties["colorButton_ConnColor"] = properties.get("colorButton_ConnColor", DEF_SETS.CONN_COLOR)
else:
self.tabWidget.removeTab(1)
# register widgets
widgets = [self.lineEdit_Name, self.comboBox_ObjectType]
widgets += self.buttonGroup_altitude.buttons() + [self.comboBox_altitudeMode, self.fieldExpressionWidget_altitude, self.comboEdit_altitude2]
widgets += [self.comboEdit_FilePath]
widgets += self.geomWidgets
widgets += [self.comboEdit_Color, self.comboEdit_Color2, self.comboEdit_Opacity] + self.mtlWidgets
widgets += [
self.radioButton_AllFeatures, self.radioButton_IntersectingFeatures, self.checkBox_Clip, self.checkBox_ExportAttrs,
self.checkBox_Visible, self.checkBox_Clickable
]
if hasRPt:
widgets += [
self.checkBox_Label, self.labelHeightWidget, self.expression_Label, self.comboBox_FontFamily, self.slider_FontSize,
self.colorButton_Label, self.checkBox_Outline, self.colorButton_OtlColor,
self.groupBox_Background, self.colorButton_BgColor,
self.groupBox_Conn, self.colorButton_ConnColor, self.checkBox_Underline
]
self.registerPropertyWidgets(widgets)
self.comboBox_ObjectType.currentIndexChanged.connect(self.objectTypeChanged)
self.comboBox_altitudeMode.currentIndexChanged.connect(self.altitudeModeChanged)
for btn in self.buttonGroup_altitude.buttons():
btn.toggled.connect(self.zValueRadioButtonToggled)
self.checkBox_Label.toggled.connect(self.labelToggled)
# set up widgets for selected object type
# currentIndexChanged signal is not emitted in setProperties() if current item is first item
self.objectTypeChanged()
# restore other properties for the layer
self.setProperties(properties or {})
# update z value expression label
self.zValueRadioButtonToggled(True)
def objectTypeChanged(self, index=None):
objType = ObjectType.typeByName(self.comboBox_ObjectType.currentData(), self.layer.type)
if self.layer.type == LayerType.LINESTRING:
self.checkBox_Clickable.setEnabled(objType != ObjectType.ThickLine)
elif self.layer.type == LayerType.POLYGON:
supportZM = (objType == ObjectType.Polygon)
self.radioButton_zValue.setEnabled(self.hasZ and supportZM)
self.radioButton_mValue.setEnabled(self.hasM and supportZM)
if self.hasZ and supportZM:
self.radioButton_zValue.setChecked(True)
elif not supportZM:
self.radioButton_Expression.setChecked(True)
self.checkBox_Clip.setVisible(not supportZM)
objType(self.settings).setupWidgets(self)
self.altitudeModeChanged(self.comboBox_altitudeMode.currentIndex())
def setupWidgets(self, filepath=None, geomItems=None, color=True, color2=None, opacity=True, mtlItems=None, alt2=False):
self.comboEdit_altitude2.setVisible(alt2)
if alt2:
self.comboEdit_altitude2.setup(PropertyWidget.EXPRESSION, self.layer.mapLayer, {"name": "Other side Z"})
self.groupBox_FilePath.setVisible(bool(filepath))
if filepath:
self.comboEdit_FilePath.setup(PropertyWidget.FILEPATH, self.layer.mapLayer, filepath)
# geometry
geomItems = geomItems or []
if geomItems:
for i, opt in enumerate(geomItems):
self.geomWidgets[i].setup(opt.get("type", PropertyWidget.EXPRESSION), self.layer.mapLayer, opt)
for i in range(q3dconst.GEOM_WIDGET_MAX_COUNT):
self.geomWidgets[i].setVisible(bool(i < len(geomItems)))
self.groupBox_Geometry.setVisible(bool(geomItems))
# material
self.comboEdit_Color.setVisible(color)
self.comboEdit_Color2.setVisible(bool(color2))
if color2:
self.comboEdit_Color2.setup(PropertyWidget.OPTIONAL_COLOR, self.layer.mapLayer, color2)
self.comboEdit_Opacity.setVisible(opacity)
mtlItems = mtlItems or []
for i, opt in enumerate(mtlItems):
self.mtlWidgets[i].setup(opt.get("type", PropertyWidget.EXPRESSION), self.layer.mapLayer, opt)