123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272 |
- """
- ***************************************************************************
- RasterLayerCalculator.py
- ---------------------
- Date : November 2016
- Copyright : (C) 2016 by Victor Olaya
- Email : volayaf at gmail dot com
- ***************************************************************************
- * *
- * This program is free software; you can redistribute it and/or modify *
- * it under the terms of the GNU General Public License as published by *
- * the Free Software Foundation; either version 2 of the License, or *
- * (at your option) any later version. *
- * *
- ***************************************************************************
- """
- __author__ = 'Victor Olaya'
- __date__ = 'November 2016'
- __copyright__ = '(C) 2016, Victor Olaya'
- import os
- import math
- from processing.algs.qgis.QgisAlgorithm import QgisAlgorithm
- from processing.algs.gdal.GdalUtils import GdalUtils
- from qgis.core import (QgsProcessing,
- QgsProcessingAlgorithm,
- QgsProcessingException,
- QgsProcessingUtils,
- QgsProcessingParameterCrs,
- QgsProcessingParameterMultipleLayers,
- QgsProcessingParameterNumber,
- QgsProcessingParameterExtent,
- QgsProcessingParameterRasterDestination,
- QgsProcessingParameterRasterLayer,
- QgsProcessingOutputRasterLayer,
- QgsProcessingParameterString,
- QgsCoordinateTransform,
- QgsMapLayer)
- from qgis.PyQt.QtCore import QObject
- from qgis.analysis import QgsRasterCalculator, QgsRasterCalculatorEntry
- class RasterCalculator(QgisAlgorithm):
- LAYERS = 'LAYERS'
- EXTENT = 'EXTENT'
- CELLSIZE = 'CELLSIZE'
- EXPRESSION = 'EXPRESSION'
- CRS = 'CRS'
- OUTPUT = 'OUTPUT'
- def group(self):
- return self.tr('Raster analysis')
- def groupId(self):
- return 'rasteranalysis'
- def __init__(self):
- super().__init__()
- def initAlgorithm(self, config=None):
- class ParameterRasterCalculatorExpression(QgsProcessingParameterString):
- def __init__(self, name='', description='', multiLine=False):
- super().__init__(name, description, multiLine=multiLine)
- self.setMetadata({
- 'widget_wrapper': 'processing.algs.qgis.ui.RasterCalculatorWidgets.ExpressionWidgetWrapper'
- })
- def type(self):
- return 'raster_calc_expression'
- def clone(self):
- return ParameterRasterCalculatorExpression(self.name(), self.description(), self.multiLine())
- self.addParameter(ParameterRasterCalculatorExpression(self.EXPRESSION, self.tr('Expression'),
- multiLine=True))
- self.addParameter(QgsProcessingParameterMultipleLayers(self.LAYERS,
- self.tr('Reference layer(s) (used for automated extent, cellsize, and CRS)'),
- layerType=QgsProcessing.TypeRaster,
- optional=True))
- self.addParameter(QgsProcessingParameterNumber(self.CELLSIZE,
- self.tr('Cell size (use 0 or empty to set it automatically)'),
- type=QgsProcessingParameterNumber.Double,
- minValue=0.0, defaultValue=0.0, optional=True))
- self.addParameter(QgsProcessingParameterExtent(self.EXTENT,
- self.tr('Output extent'),
- optional=True))
- self.addParameter(QgsProcessingParameterCrs(self.CRS, 'Output CRS', optional=True))
- self.addParameter(QgsProcessingParameterRasterDestination(self.OUTPUT, self.tr('Output')))
- def flags(self):
- return super().flags() | QgsProcessingAlgorithm.FlagDeprecated
- def name(self):
- return 'rastercalculator'
- def displayName(self):
- return self.tr('Raster calculator')
- def processAlgorithm(self, parameters, context, feedback):
- expression = self.parameterAsString(parameters, self.EXPRESSION, context)
- layers = self.parameterAsLayerList(parameters, self.LAYERS, context)
- layersDict = {}
- if layers:
- layersDict = {lyr.source(): lyr for lyr in layers}
- crs = self.parameterAsCrs(parameters, self.CRS, context)
- if crs is None or not crs.isValid():
- if not layers:
- raise QgsProcessingException(self.tr("No reference layer selected nor CRS provided"))
- else:
- crs = list(layersDict.values())[0].crs()
- bbox = self.parameterAsExtent(parameters, self.EXTENT, context)
- if bbox.isNull() and not layers:
- raise QgsProcessingException(self.tr("No reference layer selected nor extent box provided"))
- if not bbox.isNull():
- bboxCrs = self.parameterAsExtentCrs(parameters, self.EXTENT, context)
- if bboxCrs != crs:
- transform = QgsCoordinateTransform(bboxCrs, crs, context.transformContext())
- bbox = transform.transformBoundingBox(bbox)
- if bbox.isNull() and layers:
- bbox = QgsProcessingUtils.combineLayerExtents(layers, crs, context)
- cellsize = self.parameterAsDouble(parameters, self.CELLSIZE, context)
- if cellsize == 0 and not layers:
- raise QgsProcessingException(self.tr("No reference layer selected nor cellsize value provided"))
- def _cellsize(layer):
- ext = layer.extent()
- if layer.crs() != crs:
- transform = QgsCoordinateTransform(layer.crs(), crs, context.transformContext())
- ext = transform.transformBoundingBox(ext)
- return (ext.xMaximum() - ext.xMinimum()) / layer.width()
- if cellsize == 0:
- cellsize = min([_cellsize(lyr) for lyr in layersDict.values()])
- # check for layers available in the model
- layersDictCopy = layersDict.copy() # need a shallow copy because next calls invalidate iterator
- for lyr in layersDictCopy.values():
- expression = self.mappedNameToLayer(lyr, expression, layersDict, context)
- # check for layers available in the project
- if context.project():
- for lyr in QgsProcessingUtils.compatibleRasterLayers(context.project()):
- expression = self.mappedNameToLayer(lyr, expression, layersDict, context)
- # create the list of layers to be passed as inputs to RasterCalculaltor
- # at this phase expression has been modified to match available layers
- # in the current scope
- entries = []
- for name, lyr in layersDict.items():
- for n in range(lyr.bandCount()):
- ref = f'{name:s}@{n + 1:d}'
- if ref in expression:
- entry = QgsRasterCalculatorEntry()
- entry.ref = ref
- entry.raster = lyr
- entry.bandNumber = n + 1
- entries.append(entry)
- # Append any missing entry from the current project
- for entry in QgsRasterCalculatorEntry.rasterEntries():
- if not [e for e in entries if e.ref == entry.ref]:
- entries.append(entry)
- output = self.parameterAsOutputLayer(parameters, self.OUTPUT, context)
- width = round((bbox.xMaximum() - bbox.xMinimum()) / cellsize)
- height = round((bbox.yMaximum() - bbox.yMinimum()) / cellsize)
- driverName = GdalUtils.getFormatShortNameFromFilename(output)
- calc = QgsRasterCalculator(expression,
- output,
- driverName,
- bbox,
- crs,
- width,
- height,
- entries,
- context.transformContext())
- res = calc.processCalculation(feedback)
- if res == QgsRasterCalculator.ParserError:
- raise QgsProcessingException(self.tr("Error parsing formula"))
- elif res == QgsRasterCalculator.CalculationError:
- raise QgsProcessingException(self.tr("An error occurred while performing the calculation"))
- return {self.OUTPUT: output}
- def mappedNameToLayer(self, lyr, expression, layersDict, context):
- '''Try to identify if a real layer is mapped in the expression with a symbolic name.'''
- nameToMap = lyr.source()
- # check if nameToMap is a file
- # TODO: what about URI eg for a COG?
- if os.path.isfile(nameToMap):
- # get only the name without extension and path of the file
- nameToMap = os.path.splitext(os.path.basename(nameToMap))[0]
- # check for layers directly added in the expression
- if (nameToMap + "@") in expression:
- layersDict[nameToMap] = lyr
- # get "algorithm_inputs" scope of the expressionContext related
- # with mapped variables
- indexOfScope = context.expressionContext().indexOfScope("algorithm_inputs")
- if indexOfScope >= 0:
- expContextAlgInputsScope = context.expressionContext().scope(indexOfScope)
- # check for the layers that are mapped as input in a model
- # to do this check in the latest scope all passed variables
- # to look for a variable that is a layer or a string filename
- # to a layer
- varDescription = None
- for varName in expContextAlgInputsScope.variableNames():
- layerInContext = expContextAlgInputsScope.variable(varName)
- if not isinstance(layerInContext, str) and not isinstance(layerInContext, QgsMapLayer):
- continue
- if isinstance(layerInContext, QgsMapLayer) and nameToMap not in layerInContext.source():
- continue
- varDescription = expContextAlgInputsScope.description(varName)
- # because there can be variable with None or "" description
- # then skip them
- if not varDescription:
- continue
- # check if it's description starts with Output as in:
- # Output 'Output' from algorithm 'calc1'
- # as set in https://github.com/qgis/QGIS/blob/master/src/core/processing/models/qgsprocessingmodelalgorithm.cpp#L516
- # but var in expression is called simply
- # 'Output' from algorithm 'calc1'
- # get the translation string to use to parse the description
- # HAVE to use the same translated string as in
- # https://github.com/qgis/QGIS/blob/master/src/core/processing/models/qgsprocessingmodelalgorithm.cpp#L516
- translatedDesc = self.tr("Output '%1' from algorithm '%2'")
- elementZero = translatedDesc.split(" ")[0] # For english the string result should be "Output"
- elements = varDescription.split(" ")
- if len(elements) > 1 and elements[0] == elementZero:
- # remove heading QObject.tr"Output ") string. Note adding a space at the end of elementZero!
- varDescription = varDescription[len(elementZero) + 1:]
- # check if cleaned varDescription is present in the expression
- # if not skip it
- if (varDescription + "@") not in expression:
- continue
- # !!!found!!! => substitute in expression
- # and add in the list of layers that will be passed to raster calculator
- nameToMap = varName
- new = f"{nameToMap}@"
- old = f"{varDescription}@"
- expression = expression.replace(old, new)
- layersDict[nameToMap] = lyr
- # need return the modified expression because it's not a reference
- return expression
|