diff options
| author | Mike Bayer <mike_mp@zzzcomputing.com> | 2022-01-04 14:04:15 -0500 |
|---|---|---|
| committer | Mike Bayer <mike_mp@zzzcomputing.com> | 2022-01-04 16:40:35 -0500 |
| commit | 63eeec396e5d180e11a342920e7c3e49be434eb1 (patch) | |
| tree | 02e203f26828018189ef20d0ff73fcc70f61c386 /lib/sqlalchemy | |
| parent | 400bf1716f84821d63daaf0a988d725dfd55d6a0 (diff) | |
| download | sqlalchemy-63eeec396e5d180e11a342920e7c3e49be434eb1.tar.gz | |
implement python_impl to custom_op for basic ORM evaluator extensibility
Added new parameter :paramref:`_sql.Operators.op.python_impl`, available
from :meth:`_sql.Operators.op` and also when using the
:class:`_sql.Operators.custom_op` constructor directly, which allows an
in-Python evaluation function to be provided along with the custom SQL
operator. This evaluation function becomes the implementation used when the
operator object is used given plain Python objects as operands on both
sides, and in particular is compatible with the
``synchronize_session='evaluate'`` option used with
:ref:`orm_expression_update_delete`.
Fixes: #3162
Change-Id: If46ba6a0e303e2180a177ba418a8cafe9b42608e
Diffstat (limited to 'lib/sqlalchemy')
| -rw-r--r-- | lib/sqlalchemy/orm/evaluator.py | 243 | ||||
| -rw-r--r-- | lib/sqlalchemy/sql/operators.py | 70 |
2 files changed, 194 insertions, 119 deletions
diff --git a/lib/sqlalchemy/orm/evaluator.py b/lib/sqlalchemy/orm/evaluator.py index 19e0be9d0..d8d88b805 100644 --- a/lib/sqlalchemy/orm/evaluator.py +++ b/lib/sqlalchemy/orm/evaluator.py @@ -7,13 +7,14 @@ import operator +from .. import exc from .. import inspect from .. import util from ..sql import and_ from ..sql import operators -class UnevaluatableError(Exception): +class UnevaluatableError(exc.InvalidRequestError): pass @@ -27,59 +28,19 @@ class _NoObject(operators.ColumnOperators): _NO_OBJECT = _NoObject() -_straight_ops = set( - getattr(operators, op) - for op in ( - "add", - "mul", - "sub", - "mod", - "truediv", - "lt", - "le", - "ne", - "gt", - "ge", - "eq", - ) -) - -_extended_ops = { - operators.in_op: (lambda a, b: a in b if a is not _NO_OBJECT else None), - operators.not_in_op: ( - lambda a, b: a not in b if a is not _NO_OBJECT else None - ), -} - -_notimplemented_ops = set( - getattr(operators, op) - for op in ( - "like_op", - "not_like_op", - "ilike_op", - "not_ilike_op", - "startswith_op", - "between_op", - "endswith_op", - "concat_op", - ) -) - class EvaluatorCompiler: def __init__(self, target_cls=None): self.target_cls = target_cls - def process(self, *clauses): - if len(clauses) > 1: - clause = and_(*clauses) - elif clauses: - clause = clauses[0] + def process(self, clause, *clauses): + if clauses: + clause = and_(clause, *clauses) - meth = getattr(self, "visit_%s" % clause.__visit_name__, None) + meth = getattr(self, f"visit_{clause.__visit_name__}", None) if not meth: raise UnevaluatableError( - "Cannot evaluate %s" % type(clause).__name__ + f"Cannot evaluate {type(clause).__name__}" ) return meth(clause) @@ -102,8 +63,8 @@ class EvaluatorCompiler: self.target_cls, parentmapper.class_ ): raise UnevaluatableError( - "Can't evaluate criteria against alternate class %s" - % parentmapper.class_ + "Can't evaluate criteria against " + f"alternate class {parentmapper.class_}" ) key = parentmapper._columntoproperty[clause].key else: @@ -113,13 +74,13 @@ class EvaluatorCompiler: and key in inspect(self.target_cls).column_attrs ): util.warn( - "Evaluating non-mapped column expression '%s' onto " + f"Evaluating non-mapped column expression '{clause}' onto " "ORM instances; this is a deprecated use case. Please " "make use of the actual mapped columns in ORM-evaluated " - "UPDATE / DELETE expressions." % clause + "UPDATE / DELETE expressions." ) else: - raise UnevaluatableError("Cannot evaluate column: %s" % clause) + raise UnevaluatableError(f"Cannot evaluate column: {clause}") get_corresponding_attr = operator.attrgetter(key) return ( @@ -132,89 +93,143 @@ class EvaluatorCompiler: return self.visit_clauselist(clause) def visit_clauselist(self, clause): - evaluators = list(map(self.process, clause.clauses)) - if clause.operator is operators.or_: + evaluators = [self.process(clause) for clause in clause.clauses] - def evaluate(obj): - has_null = False - for sub_evaluate in evaluators: - value = sub_evaluate(obj) - if value: - return True - has_null = has_null or value is None - if has_null: - return None - return False + dispatch = ( + f"visit_{clause.operator.__name__.rstrip('_')}_clauselist_op" + ) + meth = getattr(self, dispatch, None) + if meth: + return meth(clause.operator, evaluators, clause) + else: + raise UnevaluatableError( + f"Cannot evaluate clauselist with operator {clause.operator}" + ) - elif clause.operator is operators.and_: + def visit_binary(self, clause): + eval_left = self.process(clause.left) + eval_right = self.process(clause.right) - def evaluate(obj): - for sub_evaluate in evaluators: - value = sub_evaluate(obj) - if not value: - if value is None or value is _NO_OBJECT: - return None - return False - return True + dispatch = f"visit_{clause.operator.__name__.rstrip('_')}_binary_op" + meth = getattr(self, dispatch, None) + if meth: + return meth(clause.operator, eval_left, eval_right) + else: + raise UnevaluatableError( + f"Cannot evaluate {type(clause).__name__} with " + f"operator {clause.operator}" + ) - elif clause.operator is operators.comma_op: + def visit_or_clauselist_op(self, operator, evaluators, clause): + def evaluate(obj): + has_null = False + for sub_evaluate in evaluators: + value = sub_evaluate(obj) + if value: + return True + has_null = has_null or value is None + if has_null: + return None + return False - def evaluate(obj): - values = [] - for sub_evaluate in evaluators: - value = sub_evaluate(obj) + return evaluate + + def visit_and_clauselist_op(self, operator, evaluators, clause): + def evaluate(obj): + for sub_evaluate in evaluators: + value = sub_evaluate(obj) + if not value: if value is None or value is _NO_OBJECT: return None - values.append(value) - return tuple(values) + return False + return True + + return evaluate + + def visit_comma_op_clauselist_op(self, operator, evaluators, clause): + def evaluate(obj): + values = [] + for sub_evaluate in evaluators: + value = sub_evaluate(obj) + if value is None or value is _NO_OBJECT: + return None + values.append(value) + return tuple(values) + + return evaluate + def visit_custom_op_binary_op(self, operator, eval_left, eval_right): + if operator.python_impl: + return self._straight_evaluate(operator, eval_left, eval_right) else: raise UnevaluatableError( - "Cannot evaluate clauselist with operator %s" % clause.operator + f"Custom operator {operator.opstring!r} can't be evaluated " + "in Python unless it specifies a callable using " + "`.python_impl`." ) + def visit_is_binary_op(self, operator, eval_left, eval_right): + def evaluate(obj): + return eval_left(obj) == eval_right(obj) + return evaluate - def visit_binary(self, clause): - eval_left, eval_right = list( - map(self.process, [clause.left, clause.right]) - ) - operator = clause.operator - if operator is operators.is_: + def visit_is_not_binary_op(self, operator, eval_left, eval_right): + def evaluate(obj): + return eval_left(obj) != eval_right(obj) - def evaluate(obj): - return eval_left(obj) == eval_right(obj) + return evaluate - elif operator is operators.is_not: + def _straight_evaluate(self, operator, eval_left, eval_right): + def evaluate(obj): + left_val = eval_left(obj) + right_val = eval_right(obj) + if left_val is None or right_val is None: + return None + return operator(eval_left(obj), eval_right(obj)) - def evaluate(obj): - return eval_left(obj) != eval_right(obj) - - elif operator in _extended_ops: + return evaluate - def evaluate(obj): - left_val = eval_left(obj) - right_val = eval_right(obj) - if left_val is None or right_val is None: - return None + visit_add_binary_op = _straight_evaluate + visit_mul_binary_op = _straight_evaluate + visit_sub_binary_op = _straight_evaluate + visit_mod_binary_op = _straight_evaluate + visit_truediv_binary_op = _straight_evaluate + visit_lt_binary_op = _straight_evaluate + visit_le_binary_op = _straight_evaluate + visit_ne_binary_op = _straight_evaluate + visit_gt_binary_op = _straight_evaluate + visit_ge_binary_op = _straight_evaluate + visit_eq_binary_op = _straight_evaluate + + def visit_in_op_binary_op(self, operator, eval_left, eval_right): + return self._straight_evaluate( + lambda a, b: a in b if a is not _NO_OBJECT else None, + eval_left, + eval_right, + ) - return _extended_ops[operator](left_val, right_val) + def visit_not_in_op_binary_op(self, operator, eval_left, eval_right): + return self._straight_evaluate( + lambda a, b: a not in b if a is not _NO_OBJECT else None, + eval_left, + eval_right, + ) - elif operator in _straight_ops: + def visit_concat_op_binary_op(self, operator, eval_left, eval_right): + return self._straight_evaluate( + lambda a, b: a + b, eval_left, eval_right + ) - def evaluate(obj): - left_val = eval_left(obj) - right_val = eval_right(obj) - if left_val is None or right_val is None: - return None - return operator(eval_left(obj), eval_right(obj)) + def visit_startswith_op_binary_op(self, operator, eval_left, eval_right): + return self._straight_evaluate( + lambda a, b: a.startswith(b), eval_left, eval_right + ) - else: - raise UnevaluatableError( - "Cannot evaluate %s with operator %s" - % (type(clause).__name__, clause.operator) - ) - return evaluate + def visit_endswith_op_binary_op(self, operator, eval_left, eval_right): + return self._straight_evaluate( + lambda a, b: a.endswith(b), eval_left, eval_right + ) def visit_unary(self, clause): eval_inner = self.process(clause.element) @@ -228,8 +243,8 @@ class EvaluatorCompiler: return evaluate raise UnevaluatableError( - "Cannot evaluate %s with operator %s" - % (type(clause).__name__, clause.operator) + f"Cannot evaluate {type(clause).__name__} " + f"with operator {clause.operator}" ) def visit_bindparam(self, clause): diff --git a/lib/sqlalchemy/sql/operators.py b/lib/sqlalchemy/sql/operators.py index 74eb73e46..8006d6145 100644 --- a/lib/sqlalchemy/sql/operators.py +++ b/lib/sqlalchemy/sql/operators.py @@ -31,6 +31,7 @@ from operator import rshift from operator import sub from operator import truediv +from .. import exc from .. import util @@ -117,7 +118,12 @@ class Operators: return self.operate(inv) def op( - self, opstring, precedence=0, is_comparison=False, return_type=None + self, + opstring, + precedence=0, + is_comparison=False, + return_type=None, + python_impl=None, ): """Produce a generic operator function. @@ -164,6 +170,26 @@ class Operators: :class:`.Boolean`, and those that do not will be of the same type as the left-hand operand. + :param python_impl: an optional Python function that can evaluate + two Python values in the same way as this operator works when + run on the database server. Useful for in-Python SQL expression + evaluation functions, such as for ORM hybrid attributes, and the + ORM "evaluator" used to match objects in a session after a multi-row + update or delete. + + e.g.:: + + >>> expr = column('x').op('+', python_impl=lambda a, b: a + b)('y') + + The operator for the above expression will also work for non-SQL + left and right objects:: + + >>> expr.operator(5, 10) + 15 + + .. versionadded:: 2.0 + + .. seealso:: :ref:`types_operators` @@ -171,14 +197,20 @@ class Operators: :ref:`relationship_custom_operator` """ - operator = custom_op(opstring, precedence, is_comparison, return_type) + operator = custom_op( + opstring, + precedence, + is_comparison, + return_type, + python_impl=python_impl, + ) def against(other): return operator(self, other) return against - def bool_op(self, opstring, precedence=0): + def bool_op(self, opstring, precedence=0, python_impl=None): """Return a custom boolean operator. This method is shorthand for calling @@ -191,7 +223,12 @@ class Operators: :meth:`.Operators.op` """ - return self.op(opstring, precedence=precedence, is_comparison=True) + return self.op( + opstring, + precedence=precedence, + is_comparison=True, + python_impl=python_impl, + ) def operate(self, op, *other, **kwargs): r"""Operate on an argument. @@ -219,6 +256,8 @@ class Operators: """ raise NotImplementedError(str(op)) + __sa_operate__ = operate + def reverse_operate(self, op, other, **kwargs): """Reverse operate on an argument. @@ -256,6 +295,16 @@ class custom_op: __name__ = "custom_op" + __slots__ = ( + "opstring", + "precedence", + "is_comparison", + "natural_self_precedent", + "eager_grouping", + "return_type", + "python_impl", + ) + def __init__( self, opstring, @@ -264,6 +313,7 @@ class custom_op: return_type=None, natural_self_precedent=False, eager_grouping=False, + python_impl=None, ): self.opstring = opstring self.precedence = precedence @@ -273,6 +323,7 @@ class custom_op: self.return_type = ( return_type._to_instance(return_type) if return_type else None ) + self.python_impl = python_impl def __eq__(self, other): return isinstance(other, custom_op) and other.opstring == self.opstring @@ -281,7 +332,16 @@ class custom_op: return id(self) def __call__(self, left, right, **kw): - return left.operate(self, right, **kw) + if hasattr(left, "__sa_operate__"): + return left.operate(self, right, **kw) + elif self.python_impl: + return self.python_impl(left, right, **kw) + else: + raise exc.InvalidRequestError( + f"Custom operator {self.opstring!r} can't be used with " + "plain Python objects unless it includes the " + "'python_impl' parameter." + ) class ColumnOperators(Operators): |
