Expressões, filtragem e cálculo dos valores

QGIS oferece alguns recursos para expressões de análise semelhante à SQL. Apenas um pequeno subconjunto de sintaxe SQL é suportada. As expressões podem ser avaliadas como predicados booleanos (retornando verdadeiro ou falso) ou como funções (que retornam um valor escalar).

Três tipos básicos são suportados:

  • número — ambos os números inteiros e números decimais, por exemplo, 123, 3.14

  • texto — eles devem estar entre aspas simples: ‘Olá world’`

  • column reference — when evaluating, the reference is substituted with the actual value of the field. The names are not escaped.

As seguintes operações estão disponíveis:

  • operadores aritméticos: +, -, *, /, ^

  • parênteses: para fazer cumprir a precedência do operador: (1 + 1) * 3

  • unary plus and minus: -12, +5
  • funções matemáticas: sqrt, sen, cos, tan, asen, acos, atan

  • funções geométricas: $area, $length

  • conversão de funções: para int, para real, para string

E os seguintes predicados são suportados:

  • comparação: =, !=, >, >=, <, <=

  • pattern matching: LIKE (using % and _), ~ (regular expressions)
  • logical predicates: AND, OR, NOT
  • NULL value checking: IS NULL, IS NOT NULL

Exemplos de predicados:

  • 1 + 2 = 3
  • sen(ângulo) > 0

  • 'Hello' LIKE 'He%'
  • (x > 10 AND y > 10) OR z = 0

Examples of scalar expressions:

  • 2 ^ 10
  • sqrt(val)
  • $length + 1

Parsing Expressions

>>> exp = QgsExpression('1 + 1 = 2')
>>> exp.hasParserError()
False
>>> exp = QgsExpression('1 + 1 = ')
>>> exp.hasParserError()
True
>>> exp.parserErrorString()
PyQt4.QtCore.QString(u'syntax error, unexpected $end')

Evaluating Expressions

Basic Expressions

>>> exp = QgsExpression('1 + 1 = 2')
>>> value = exp.evaluate()
>>> value
1

Expressions with features

The following example will evaluate the given expression against a feature. “Column” is the name of the field in the layer.

>>> exp = QgsExpression('Column = 99')
>>> value = exp.evaluate(feature, layer.pendingFields())
>>> bool(value)
True

You can also use QgsExpression.prepare() if you need check more than one feature. Using QgsExpression.prepare() will increase the speed that evaluate takes to run.

>>> exp = QgsExpression('Column = 99')
>>> exp.prepare(layer.pendingFields())
>>> value = exp.evaluate(feature)
>>> bool(value)
True

Handling errors

exp = QgsExpression("1 + 1 = 2 ")
if exp.hasParserError():
  raise Expection(exp.parserErrorString())

value = exp.evaluate()
if exp.hasEvalError():
  raise ValueError(exp.evalErrorString())

print value

Examples

The following example can be used to filter a layer and return any feature that matches a predicate.

def where(layer, exp):
  print "Where"
  exp = QgsExpression(exp)
  if exp.hasParserError():
    raise Expection(exp.parserErrorString())
  exp.prepare(layer.pendingFields())
  for feature in layer.getFeatures():
    value = exp.evaluate(feature)
    if exp.hasEvalError():
      raise ValueError(exp.evalErrorString())
    if bool(value):
      yield feature

layer = qgis.utils.iface.activeLayer()
for f in where(layer, 'Test > 1.0'):
  print f + " Matches expression"