Newer
Older
m = 1.0
return mul * m * 10 ** (exp-1)
else:
return 0.0
loadUI = lambda p : loadUIFormClass(jp(DIR_UI, p))
loadIcon = lambda p: jp(DIR_UI, *['icons',p])
#dictionary to store form classes and avoid multiple calls to read <myui>.ui
FORM_CLASSES = dict()
def loadUIFormClass(pathUi, from_imports=False, resourceSuffix=''):
"""
Loads Qt UI files (*.ui) while taking care on QgsCustomWidgets.
Uses PyQt4.uic.loadUiType (see http://pyqt.sourceforge.net/Docs/PyQt4/designer.html#the-uic-module)
:param pathUi: *.ui file path
:param from_imports: is optionally set to use import statements that are relative to '.'. At the moment this only applies to the import of resource modules.
:param resourceSuffix: is the suffix appended to the basename of any resource file specified in the .ui file to create the name of the Python module generated from the resource file by pyrcc4. The default is '_rc', i.e. if the .ui file specified a resource file called foo.qrc then the corresponding Python module is foo_rc.
:return: the form class, e.g. to be used in a class definition like MyClassUI(QFrame, loadUi('myclassui.ui'))
"""
RC_SUFFIX = resourceSuffix
assert os.path.exists(pathUi), '*.ui file does not exist: {}'.format(pathUi)
if pathUi not in FORM_CLASSES.keys():
#parse *.ui xml and replace *.h by qgis.gui
doc = QDomDocument()
#remove new-lines. this prevents uic.loadUiType(buffer, resource_suffix=RC_SUFFIX)
#to mess up the *.ui xml
f = open(pathUi, 'r')
txt = ''.join(f.readlines())
f.close()
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
doc.setContent(txt)
# Replace *.h file references in <customwidget> with <class>Qgs...</class>, e.g.
# <header>qgscolorbutton.h</header>
# by <header>qgis.gui</header>
# this is require to compile QgsWidgets on-the-fly
elem = doc.elementsByTagName('customwidget')
for child in [elem.item(i) for i in range(elem.count())]:
child = child.toElement()
className = str(child.firstChildElement('class').firstChild().nodeValue())
if className.startswith('Qgs'):
cHeader = child.firstChildElement('header').firstChild()
cHeader.setNodeValue('qgis.gui')
#collect resource file locations
elem = doc.elementsByTagName('include')
qrcPathes = []
for child in [elem.item(i) for i in range(elem.count())]:
path = child.attributes().item(0).nodeValue()
if path.endswith('.qrc'):
qrcPathes.append(path)
buffer = io.StringIO() # buffer to store modified XML
buffer.write(doc.toString())
buffer.flush()
buffer.seek(0)
#make resource file directories available to the python path (sys.path)
baseDir = os.path.dirname(pathUi)
tmpDirs = []
for qrcPath in qrcPathes:
d = os.path.dirname(os.path.join(baseDir, os.path.dirname(qrcPath)))
if d not in sys.path:
tmpDirs.append(d)
sys.path.extend(tmpDirs)
#load form class
try:
FORM_CLASS, _ = uic.loadUiType(buffer, resource_suffix=RC_SUFFIX)
except SyntaxError as ex:
FORM_CLASS, _ = uic.loadUiType(pathUi, resource_suffix=RC_SUFFIX)
FORM_CLASSES[pathUi] = FORM_CLASS
#remove temporary added directories from python path
for d in tmpDirs:
sys.path.remove(d)
return FORM_CLASSES[pathUi]
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
def zipdir(pathDir, pathZip):
"""
:param pathDir: directory to compress
:param pathZip: path to new zipfile
"""
#thx to https://stackoverflow.com/questions/1855095/how-to-create-a-zip-archive-of-a-directory
"""
import zipfile
assert os.path.isdir(pathDir)
zipf = zipfile.ZipFile(pathZip, 'w', zipfile.ZIP_DEFLATED)
for root, dirs, files in os.walk(pathDir):
for file in files:
zipf.write(os.path.join(root, file))
zipf.close()
"""
import zipfile
relroot = os.path.abspath(os.path.join(pathDir, os.pardir))
with zipfile.ZipFile(pathZip, "w", zipfile.ZIP_DEFLATED) as zip:
for root, dirs, files in os.walk(pathDir):
# add directory (needed for empty dirs)
zip.write(root, os.path.relpath(root, relroot))
for file in files:
filename = os.path.join(root, file)
if os.path.isfile(filename): # regular files only
arcname = os.path.join(os.path.relpath(root, relroot), file)
zip.write(filename, arcname)
for zname in zip.namelist():
if zname.find('..') != -1 or zname.find(os.path.sep) == 0:
s = ""
s =""
@staticmethod
def createTestImageSeries(n=1) -> list:
assert n > 0
datasets = []
for i in range(n):
ds = TestObjects.inMemoryImage()
datasets.append(ds)
return datasets
@staticmethod
def inMemoryImage(nl=10, ns=20, nb=3, crs='EPSG:32632')->gdal.Dataset:
"""
Create an in-memory gdal.Dataset
:param nl:
:param ns:
:param nb:
:param crs:
:return:
"""
drv = gdal.GetDriverByName('GTiff')
assert isinstance(drv, gdal.Driver)
id = uuid.uuid4()
path = '/vsimem/testimage.multiband.{}.tif'.format(id)
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
ds = drv.Create(path, ns, nl, bands=nb, eType=gdal.GDT_Float32)
if isinstance(crs, str):
c = QgsCoordinateReferenceSystem(crs)
ds.SetProjection(c.toWkt())
gt = [1000,30,0, \
1000,0 ,-30]
ds.SetGeoTransform(gt)
for b in range(1, nb + 1):
band = ds.GetRasterBand(b)
assert isinstance(band, gdal.Band)
array = np.random.random((nl, ns)) - 1
band.WriteArray(array)
ds.FlushCache()
return ds
@staticmethod
def inMemoryClassification(n=3, nl=10, ns=20, nb=1, crs='EPSG:32632'):
from .classificationscheme import ClassificationScheme
scheme = ClassificationScheme()
scheme.createClasses(n)
id = uuid.uuid4()
path = '/vsimem/testimage.class._{}.tif'.format(id)
ds = drv.Create(path, ns, nl, bands=nb, eType=gdal.GDT_Byte)
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
if isinstance(crs, str):
c = QgsCoordinateReferenceSystem(crs)
ds.SetProjection(c.toWkt())
step = int(np.ceil(float(nl) / len(scheme)))
assert isinstance(ds, gdal.Dataset)
for b in range(1, nb + 1):
band = ds.GetRasterBand(b)
array = np.zeros((nl, ns), dtype=np.uint8) - 1
y0 = 0
for i, c in enumerate(scheme):
y1 = min(y0 + step, nl - 1)
array[y0:y1, :] = c.label()
y0 += y1 + 1
band.SetCategoryNames(scheme.classNames())
band.SetColorTable(scheme.gdalColorTable())
ds.FlushCache()
return ds
@staticmethod
def qgisInterfaceMockup():
return QgisMockup()
@staticmethod
def createDropEvent(mimeData:QMimeData):
"""Creates a QDropEvent conaining the provided QMimeData"""
return QDropEvent(QPointF(0, 0), Qt.CopyAction, mimeData, Qt.LeftButton, Qt.NoModifier)
@staticmethod
def processingAlgorithm():
from qgis.core import QgsProcessingAlgorithm
class TestProcessingAlgorithm(QgsProcessingAlgorithm):
def __init__(self):
super(TestProcessingAlgorithm, self).__init__()
s = ""
def createInstance(self):
return TestProcessingAlgorithm()
def name(self):
return 'exmaplealg'
def displayName(self):
return 'Example Algorithm'
def groupId(self):
return 'exampleapp'
def group(self):
return 'TEST APPS'
def initAlgorithm(self, configuration=None):
self.addParameter(QgsProcessingParameterRasterLayer('pathInput', 'The Input Dataset'))
self.addParameter(
QgsProcessingParameterNumber('value', 'The value', QgsProcessingParameterNumber.Double, 1, False,
0.00, 999999.99))
self.addParameter(QgsProcessingParameterRasterDestination('pathOutput', 'The Output Dataset'))
def processAlgorithm(self, parameters, context, feedback):
assert isinstance(parameters, dict)
assert isinstance(context, QgsProcessingContext)
assert isinstance(feedback, QgsProcessingFeedback)
outputs = {}
return outputs
return TestProcessingAlgorithm()
@staticmethod
def enmapBoxApplication():
from enmapbox.gui.applications import EnMAPBoxApplication
from enmapbox.gui.enmapboxgui import EnMAPBox
enmapbox = EnMAPBox.instance()
class TestApp(EnMAPBoxApplication):
def __init__(self, enmapbox):
super(TestApp, self).__init__(enmapbox)
self.name = 'TestApp'
self.licence = 'GPL-3'
self.version = '-12345'
def menu(self, appMenu:QMenu)->QMenu:
menu = appMenu.addMenu('Test Menu')
action = menu.addAction('Test Action')
action.triggered.connect(self.onAction)
return menu
def onAction(self):
print('TestApp action called')
def processingAlgorithms(self):
return [TestObjects.processingAlgorithm()]
return TestApp(enmapbox)
class QgisMockup(QgisInterface):
"""
A "fake" QGIS Desktop instance that should provide all the inferfaces a plugin developer might need (and nothing more)
"""
def pluginManagerInterface(self)->QgsPluginManagerInterface:
return self.mPluginManager
@staticmethod
def create()->QgisInterface:
"""
Create the QgisMockup and sets the global variables
:return: QgisInterface
"""
iface = QgisMockup()
import qgis.utils
# import processing
# p = processing.classFactory(iface)
if not isinstance(qgis.utils.iface, QgisInterface):
import processing
qgis.utils.iface = iface
processing.Processing.initialize()
import pkgutil
prefix = str(processing.__name__ + '.')
for importer, modname, ispkg in pkgutil.walk_packages(processing.__path__, prefix=prefix):
try:
module = __import__(modname, fromlist="dummy")
if hasattr(module, 'iface'):
print(modname)
module.iface = iface
except:
pass
#set 'home_plugin_path', which is required from the QGIS Plugin manager
assert qgis.utils.iface == iface
qgis.utils.home_plugin_path = os.path.join(QgsApplication.instance().qgisSettingsDirPath(), *['python', 'plugins'])
return iface
def __init__(self, *args):
# QgisInterface.__init__(self)
super(QgisMockup, self).__init__()
self.mCanvas = QgsMapCanvas()
self.mCanvas.blockSignals(False)
self.mCanvas.setCanvasColor(Qt.black)
self.mCanvas.extentsChanged.connect(self.testSlot)
self.mLayerTreeView = QgsLayerTreeView()
self.mRootNode = QgsLayerTree()
self.mLayerTreeModel = QgsLayerTreeModel(self.mRootNode)
self.mLayerTreeView.setModel(self.mLayerTreeModel)
self.mLayerTreeMapCanvasBridge = QgsLayerTreeMapCanvasBridge(self.mRootNode, self.mCanvas)
self.mLayerTreeMapCanvasBridge.setAutoSetupOnFirstLayer(True)
import pyplugin_installer.installer
PI = pyplugin_installer.instance()
self.mPluginManager = QgsPluginManagerMockup()
self.ui = QMainWindow()
self.mMessageBar = QgsMessageBar()
mainFrame = QFrame()
self.ui.setCentralWidget(mainFrame)
self.ui.setWindowTitle('QGIS Mockup')
l = QHBoxLayout()
l.addWidget(self.mLayerTreeView)
l.addWidget(self.mCanvas)
v = QVBoxLayout()
v.addWidget(self.mMessageBar)
v.addLayout(l)
mainFrame.setLayout(v)
self.ui.setCentralWidget(mainFrame)
self.lyrs = []
self.createActions()
def iconSize(self, dockedToolbar=False):
return QSize(30,30)
def testSlot(self, *args):
# print('--canvas changes--')
s = ""
def mainWindow(self):
return self.ui
def addToolBarIcon(self, action):
assert isinstance(action, QAction)
def removeToolBarIcon(self, action):
assert isinstance(action, QAction)
def addVectorLayer(self, path, basename=None, providerkey=None):
if basename is None:
basename = os.path.basename(path)
if providerkey is None:
bn, ext = os.path.splitext(basename)
providerkey = 'ogr'
l = QgsVectorLayer(path, basename, providerkey)
assert l.isValid()
QgsProject.instance().addMapLayer(l, True)
self.mRootNode.addLayer(l)
self.mLayerTreeMapCanvasBridge.setCanvasLayers()
s = ""
def legendInterface(self):
return None
def addRasterLayer(self, path, baseName=''):
l = QgsRasterLayer(path, os.path.basename(path))
self.lyrs.append(l)
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
QgsProject.instance().addMapLayer(l, True)
self.mRootNode.addLayer(l)
self.mLayerTreeMapCanvasBridge.setCanvasLayers()
return
cnt = len(self.canvas.layers())
self.canvas.setLayerSet([QgsMapCanvasLayer(l)])
l.dataProvider()
if cnt == 0:
self.canvas.mapSettings().setDestinationCrs(l.crs())
self.canvas.setExtent(l.extent())
spatialExtent = SpatialExtent.fromMapLayer(l)
# self.canvas.blockSignals(True)
self.canvas.setDestinationCrs(spatialExtent.crs())
self.canvas.setExtent(spatialExtent)
# self.blockSignals(False)
self.canvas.refresh()
self.canvas.refresh()
def createActions(self):
m = self.ui.menuBar().addAction('Add Vector')
m = self.ui.menuBar().addAction('Add Raster')
def mapCanvas(self):
return self.mCanvas
def mapNavToolToolBar(self):
super().mapNavToolToolBar()
def messageBar(self, *args, **kwargs):
return self.mMessageBar
def rasterMenu(self):
super().rasterMenu()
def vectorMenu(self):
super().vectorMenu()
def viewMenu(self):
super().viewMenu()
def windowMenu(self):
super().windowMenu()
def zoomFull(self, *args, **kwargs):
super().zoomFull(*args, **kwargs)
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
class PythonRunnerImpl(QgsPythonRunner):
"""
A Qgs PythonRunner implementation
"""
def __init__(self):
super(PythonRunnerImpl, self).__init__()
def evalCommand(self, cmd:str, result:str):
try:
o = compile(cmd)
except Exception as ex:
result = str(ex)
return False
return True
def runCommand(self, command, messageOnError=''):
try:
o = compile(command, 'fakemodule', 'exec')
exec(o)
except Exception as ex:
messageOnError = str(ex)
command = ['{}:{}'.format(i+1, l) for i,l in enumerate(command.splitlines())]
print('\n'.join(command), file=sys.stderr)
raise ex
return False
return True
def createCRSTransform(src, dst):
assert isinstance(src, QgsCoordinateReferenceSystem)
assert isinstance(dst, QgsCoordinateReferenceSystem)
t = QgsCoordinateTransform()
t.setSourceCrs(src)
t.setDestinationCrs(dst)
return t