]> git.ipfire.org Git - thirdparty/sqlalchemy/sqlalchemy.git/commitdiff
Support hybrids/composites with bulk updates
authorMike Bayer <mike_mp@zzzcomputing.com>
Wed, 22 Mar 2017 16:56:23 +0000 (12:56 -0400)
committerMike Bayer <mike_mp@zzzcomputing.com>
Wed, 22 Mar 2017 21:44:56 +0000 (17:44 -0400)
The :meth:`.Query.update` method can now accommodate both
hybrid attributes as well as composite attributes as a source
of the key to be placed in the SET clause.   For hybrids, an
additional decorator :meth:`.hybrid_property.update_expression`
is supplied for which the user supplies a tuple-returning function.

Change-Id: I15e97b02381d553f30b3301308155e19128d2cfb
Fixes: #3229
12 files changed:
doc/build/changelog/changelog_12.rst
doc/build/changelog/migration_12.rst
doc/build/orm/composites.rst
lib/sqlalchemy/ext/hybrid.py
lib/sqlalchemy/orm/attributes.py
lib/sqlalchemy/orm/descriptor_props.py
lib/sqlalchemy/orm/interfaces.py
lib/sqlalchemy/orm/persistence.py
lib/sqlalchemy/testing/assertions.py
test/ext/test_hybrid.py
test/orm/test_composites.py
test/orm/test_update_delete.py

index e5b63eb47ca66f912f0411a2daf6460c2730516a..9e0f558994cd06306c5381cb7eb691ad3b2f446a 100644 (file)
 .. changelog::
     :version: 1.2.0b1
 
+    .. change:: 3229
+        :tags: feature, orm, ext
+        :tickets: 3229
+
+        The :meth:`.Query.update` method can now accommodate both
+        hybrid attributes as well as composite attributes as a source
+        of the key to be placed in the SET clause.   For hybrids, an
+        additional decorator :meth:`.hybrid_property.update_expression`
+        is supplied for which the user supplies a tuple-returning function.
+
+        .. seealso::
+
+            :ref:`change_3229`
+
     .. change:: 3753
         :tags: bug, orm
         :tickets: 3753
index c7f4ad869c7a55d1d033f9f5500f2497d0026846..0fc60e9d9822f846dcc4aeabfc0dc2050c2bda94 100644 (file)
@@ -34,6 +34,53 @@ SQLAlchemy is currnetly tested on versions 3.5 and 3.6.
 New Features and Improvements - ORM
 ===================================
 
+.. _change_3229:
+
+Support for bulk updates of hybrids, composites
+-----------------------------------------------
+
+Both hybrid attributes (e.g. :mod:`sqlalchemy.ext.hybrid`) as well as composite
+attributes (:ref:`mapper_composite`) now support being used in the
+SET clause of an UPDATE statement when using :meth:`.Query.update`.
+
+For hybrids, simple expressions can be used directly, or the new decorator
+:meth:`.hybrid_property.update_expression` can be used to break a value
+into multiple columns/expressions::
+
+    class Person(Base):
+        # ...
+
+        first_name = Column(String(10))
+        last_name = Column(String(10))
+
+        @hybrid.hybrid_property
+        def name(self):
+            return self.first_name + ' ' + self.last_name
+
+        @name.expression
+        def name(cls):
+            return func.concat(cls.first_name, ' ', cls.last_name)
+
+        @name.update_expression
+        def name(cls, value):
+            f, l = value.split(' ', 1)
+            return [(cls.first_name, f), (cls.last_name, l)]
+
+Above, an UPDATE can be rendered using::
+
+    session.query(Person).filter(Person.id == 5).update(
+        {Person.name: "Dr. No"})
+
+Similar functionality is available for composites, where composite values
+will be broken out into their individual columns for bulk UPDATE::
+
+    session.query(Vertex).update({Edge.start: Point(3, 4)})
+
+
+.. seealso::
+
+    :ref:`hybrid_bulk_update`
+
 .. _change_3896_validates:
 
 A @validates method receives all values on bulk-collection set before comparison
index b18cedb31e35f9a058e16149da8a1b0c57fb42fa..76d4cd023a59a1bd74c65a23ad8baf2d3294a3be 100644 (file)
@@ -9,16 +9,6 @@ Sets of columns can be associated with a single user-defined datatype. The ORM
 provides a single attribute which represents the group of columns using the
 class you provide.
 
-.. versionchanged:: 0.7
-    Composites have been simplified such that
-    they no longer "conceal" the underlying column based attributes.  Additionally,
-    in-place mutation is no longer automatic; see the section below on
-    enabling mutability to support tracking of in-place changes.
-
-.. versionchanged:: 0.9
-    Composites will return their object-form, rather than as individual columns,
-    when used in a column-oriented :class:`.Query` construct.  See :ref:`migration_2824`.
-
 A simple example represents pairs of columns as a ``Point`` object.
 ``Point`` represents such a pair as ``.x`` and ``.y``::
 
index 17049d995334212ec825ba0aa35780aff1249db0..141a645995537e9e87ed2e2e69941ca6b022cbec 100644 (file)
@@ -183,6 +183,62 @@ The ``length(self, value)`` method is now called upon set::
     >>> i1.end
     17
 
+.. _hybrid_bulk_update:
+
+Allowing Bulk ORM Update
+------------------------
+
+A hybrid can define a custom "UPDATE" handler for when using the
+:meth:`.Query.update` method, allowing the hybrid to be used in the
+SET clause of the update.
+
+Normally, when using a hybrid with :meth:`.Query.update`, the SQL
+expression is used as the column that's the target of the SET.  If our
+``Interval`` class had a hybrid ``start_point`` that linked to
+``Interval.start``, this could be substituted directly::
+
+    session.query(Interval).update({Interval.start_point: 10})
+
+However, when using a composite hybrid like ``Interval.length``, this
+hybrid represents more than one column.   We can set up a handler that will
+accommodate a value passed to :meth:`.Query.update` which can affect
+this, using the :meth:`.hybrid_propery.update_expression` decorator.
+A handler that works similarly to our setter would be::
+
+    class Interval(object):
+        # ...
+
+        @hybrid_property
+        def length(self):
+            return self.end - self.start
+
+        @length.setter
+        def length(self, value):
+            self.end = self.start + value
+
+        @length.update_expression
+        def length(cls, value):
+            return [
+                (cls.end, cls.start + value)
+            ]
+
+Above, if we use ``Interval.length`` in an UPDATE expression as::
+
+    session.query(Interval).update(
+        {Interval.length: 25}, synchronize_session='fetch')
+
+We'll get an UPDATE statement along the lines of::
+
+    UPDATE interval SET end=start + :value
+
+In some cases, the default "evaluate" strategy can't perform the SET
+expression in Python; while the addition operator we're using above
+is supported, for more complex SET expressions it will usually be necessary
+to use either the "fetch" or False synchronization strategy as illustrated
+above.
+
+.. versionadded:: 1.2 added support for bulk updates to hybrid properties.
+
 Working with Relationships
 --------------------------
 
@@ -777,7 +833,7 @@ class hybrid_property(interfaces.InspectionAttrInfo):
 
     def __init__(
             self, fget, fset=None, fdel=None,
-            expr=None, custom_comparator=None):
+            expr=None, custom_comparator=None, update_expr=None):
         """Create a new :class:`.hybrid_property`.
 
         Usage is typically via decorator::
@@ -799,7 +855,7 @@ class hybrid_property(interfaces.InspectionAttrInfo):
         self.fdel = fdel
         self.expr = expr
         self.custom_comparator = custom_comparator
-
+        self.update_expr = update_expr
         util.update_wrapper(self, fget)
 
     def __get__(self, instance, owner):
@@ -940,6 +996,42 @@ class hybrid_property(interfaces.InspectionAttrInfo):
         """
         return self._copy(custom_comparator=comparator)
 
+    def update_expression(self, meth):
+        """Provide a modifying decorator that defines an UPDATE tuple
+        producing method.
+
+        The method accepts a single value, which is the value to be
+        rendered into the SET clause of an UPDATE statement.  The method
+        should then process this value into individual column expressions
+        that fit into the ultimate SET clause, and return them as a
+        sequence of 2-tuples.  Each tuple
+        contains a column expression as the key and a value to be rendered.
+
+        E.g.::
+
+            class Person(Base):
+                # ...
+
+                first_name = Column(String)
+                last_name = Column(String)
+
+                @hybrid_property
+                def fullname(self):
+                    return first_name + " " + last_name
+
+                @fullname.update_expression
+                def fullname(cls, value):
+                    fname, lname = value.split(" ", 1)
+                    return [
+                        (cls.first_name, fname),
+                        (cls.last_name, lname)
+                    ]
+
+        .. versionadded:: 1.2
+
+        """
+        return self._copy(update_expr=meth)
+
     @util.memoized_property
     def _expr_comparator(self):
         if self.custom_comparator is not None:
@@ -952,7 +1044,7 @@ class hybrid_property(interfaces.InspectionAttrInfo):
     def _get_expr(self, expr):
 
         def _expr(cls):
-            return ExprComparator(expr(cls), self)
+            return ExprComparator(cls, expr(cls), self)
         util.update_wrapper(_expr, expr)
 
         return self._get_comparator(_expr)
@@ -990,7 +1082,8 @@ class Comparator(interfaces.PropComparator):
 
 
 class ExprComparator(Comparator):
-    def __init__(self, expression, hybrid):
+    def __init__(self, cls, expression, hybrid):
+        self.cls = cls
         self.expression = expression
         self.hybrid = hybrid
 
@@ -1001,6 +1094,14 @@ class ExprComparator(Comparator):
     def info(self):
         return self.hybrid.info
 
+    def _bulk_update_tuples(self, value):
+        if isinstance(self.expression, attributes.QueryableAttribute):
+            return self.expression._bulk_update_tuples(value)
+        elif self.hybrid.update_expr is not None:
+            return self.hybrid.update_expr(self.cls, value)
+        else:
+            return [(self.expression, value)]
+
     @property
     def property(self):
         return self.expression.property
index a387e7d76fa19f12129ba61b88b6c126931bb879..23a9f1a8cc2f60888ef9e0b81c79622f8d5452ef 100644 (file)
@@ -151,6 +151,11 @@ class QueryableAttribute(interfaces._MappedAttribute,
 
         return self.comparator._query_clause_element()
 
+    def _bulk_update_tuples(self, value):
+        """Return setter tuples for a bulk UPDATE."""
+
+        return self.comparator._bulk_update_tuples(value)
+
     def adapt_to_entity(self, adapt_to_entity):
         assert not self._of_type
         return self.__class__(adapt_to_entity.entity,
index 0792ff2e2c0e62ae33ee8b416cae76494374ca68..9afdbf693c6f03caf0a80c5f9a5725a99c8b7444 100644 (file)
@@ -278,9 +278,15 @@ class CompositeProperty(DescriptorProperty):
         """Establish events that populate/expire the composite attribute."""
 
         def load_handler(state, *args):
+            _load_refresh_handler(state, args, is_refresh=False)
+
+        def refresh_handler(state, *args):
+            _load_refresh_handler(state, args, is_refresh=True)
+
+        def _load_refresh_handler(state, args, is_refresh):
             dict_ = state.dict
 
-            if self.key in dict_:
+            if not is_refresh and self.key in dict_:
                 return
 
             # if column elements aren't loaded, skip.
@@ -290,7 +296,6 @@ class CompositeProperty(DescriptorProperty):
                 if k not in dict_:
                     return
 
-            # assert self.key not in dict_
             dict_[self.key] = self.composite_class(
                 *[state.dict[key] for key in
                   self._attribute_keys]
@@ -317,7 +322,7 @@ class CompositeProperty(DescriptorProperty):
         event.listen(self.parent, 'load',
                      load_handler, raw=True, propagate=True)
         event.listen(self.parent, 'refresh',
-                     load_handler, raw=True, propagate=True)
+                     refresh_handler, raw=True, propagate=True)
         event.listen(self.parent, 'expire',
                      expire_handler, raw=True, propagate=True)
 
@@ -411,6 +416,21 @@ class CompositeProperty(DescriptorProperty):
             return CompositeProperty.CompositeBundle(
                 self.prop, self.__clause_element__())
 
+        def _bulk_update_tuples(self, value):
+            if value is None:
+                values = [None for key in self.prop._attribute_keys]
+            elif isinstance(value, self.prop.composite_class):
+                values = value.__composite_values__()
+            else:
+                raise sa_exc.ArgumentError(
+                    "Can't UPDATE composite attribute %s to %r" %
+                    (self.prop, value))
+
+            return zip(
+                self._comparable_elements,
+                values
+            )
+
         @util.memoized_property
         def _comparable_elements(self):
             if self._adapt_to_entity:
index fbe8f503e9ee3066bed9142749a8531972cf40a8..1b14acefb93563643c596b386af511ca98c15186 100644 (file)
@@ -348,6 +348,9 @@ class PropComparator(operators.ColumnOperators):
     def _query_clause_element(self):
         return self.__clause_element__()
 
+    def _bulk_update_tuples(self, value):
+        return [(self.__clause_element__(), value)]
+
     def adapt_to_entity(self, adapt_to_entity):
         """Return a copy of this PropComparator which will use the given
         :class:`.AliasedInsp` to produce corresponding expressions.
index 8e91dd6c7cbcc61cc79b8df29ec262c899fdbc6e..5dc5a90b158a8bcf359a8320680971741c64f477 100644 (file)
@@ -18,7 +18,7 @@ import operator
 from itertools import groupby, chain
 from .. import sql, util, exc as sa_exc
 from . import attributes, sync, exc as orm_exc, evaluator
-from .base import state_str, _attr_as_key, _entity_descriptor
+from .base import state_str, _entity_descriptor
 from ..sql import expression
 from ..sql.base import _from_objects
 from . import loading
@@ -1180,6 +1180,12 @@ class BulkUD(object):
         self._do_post_synchronize()
         self._do_post()
 
+    def _execute_stmt(self, stmt):
+        self.result = self.query.session.execute(
+            stmt, params=self.query._params,
+            mapper=self.mapper)
+        self.rowcount = self.result.rowcount
+
     @util.dependencies("sqlalchemy.orm.query")
     def _do_pre(self, querylib):
         query = self.query
@@ -1287,41 +1293,49 @@ class BulkUpdate(BulkUD):
             False: BulkUpdate
         }, synchronize_session, query, values, update_kwargs)
 
-    def _resolve_string_to_expr(self, key):
-        if self.mapper and isinstance(key, util.string_types):
-            attr = _entity_descriptor(self.mapper, key)
-            return attr.__clause_element__()
-        else:
-            return key
-
-    def _resolve_key_to_attrname(self, key):
-        if self.mapper and isinstance(key, util.string_types):
-            attr = _entity_descriptor(self.mapper, key)
-            return attr.property.key
-        elif isinstance(key, attributes.InstrumentedAttribute):
-            return key.key
-        elif hasattr(key, '__clause_element__'):
-            key = key.__clause_element__()
-
-        if self.mapper and isinstance(key, expression.ColumnElement):
-            try:
-                attr = self.mapper._columntoproperty[key]
-            except orm_exc.UnmappedColumnError:
-                return None
+    @property
+    def _resolved_values(self):
+        values = []
+        for k, v in (
+                self.values.items() if hasattr(self.values, 'items')
+                else self.values):
+            if self.mapper:
+                if isinstance(k, util.string_types):
+                    desc = _entity_descriptor(self.mapper, k)
+                    values.extend(desc._bulk_update_tuples(v))
+                elif isinstance(k, attributes.QueryableAttribute):
+                    values.extend(k._bulk_update_tuples(v))
+                else:
+                    values.append((k, v))
             else:
-                return attr.key
-        else:
-            raise sa_exc.InvalidRequestError(
-                "Invalid expression type: %r" % key)
+                values.append((k, v))
+        return values
+
+    @property
+    def _resolved_values_keys_as_propnames(self):
+        values = []
+        for k, v in self._resolved_values:
+            if isinstance(k, attributes.QueryableAttribute):
+                values.append((k.key, v))
+                continue
+            elif hasattr(k, '__clause_element__'):
+                k = k.__clause_element__()
+
+            if self.mapper and isinstance(k, expression.ColumnElement):
+                try:
+                    attr = self.mapper._columntoproperty[k]
+                except orm_exc.UnmappedColumnError:
+                    pass
+                else:
+                    values.append((attr.key, v))
+            else:
+                raise sa_exc.InvalidRequestError(
+                    "Invalid expression type: %r" % k)
+        return values
 
     def _do_exec(self):
+        values = self._resolved_values
 
-        values = [
-            (self._resolve_string_to_expr(k), v)
-            for k, v in (
-                self.values.items() if hasattr(self.values, 'items')
-                else self.values)
-        ]
         if not self.update_kwargs.get('preserve_parameter_order', False):
             values = dict(values)
 
@@ -1329,10 +1343,7 @@ class BulkUpdate(BulkUD):
                                  self.context.whereclause, values,
                                  **self.update_kwargs)
 
-        self.result = self.query.session.execute(
-            update_stmt, params=self.query._params,
-            mapper=self.mapper)
-        self.rowcount = self.result.rowcount
+        self._execute_stmt(update_stmt)
 
     def _do_post(self):
         session = self.query.session
@@ -1357,11 +1368,7 @@ class BulkDelete(BulkUD):
         delete_stmt = sql.delete(self.primary_table,
                                  self.context.whereclause)
 
-        self.result = self.query.session.execute(
-            delete_stmt,
-            params=self.query._params,
-            mapper=self.mapper)
-        self.rowcount = self.result.rowcount
+        self._execute_stmt(delete_stmt)
 
     def _do_post(self):
         session = self.query.session
@@ -1374,13 +1381,10 @@ class BulkUpdateEvaluate(BulkEvaluate, BulkUpdate):
 
     def _additional_evaluators(self, evaluator_compiler):
         self.value_evaluators = {}
-        values = (self.values.items() if hasattr(self.values, 'items')
-                  else self.values)
+        values = self._resolved_values_keys_as_propnames
         for key, value in values:
-            key = self._resolve_key_to_attrname(key)
-            if key is not None:
-                self.value_evaluators[key] = evaluator_compiler.process(
-                    expression._literal_as_binds(value))
+            self.value_evaluators[key] = evaluator_compiler.process(
+                expression._literal_as_binds(value))
 
     def _do_post_synchronize(self):
         session = self.query.session
@@ -1396,6 +1400,9 @@ class BulkUpdateEvaluate(BulkEvaluate, BulkUpdate):
             for key in to_evaluate:
                 dict_[key] = self.value_evaluators[key](obj)
 
+            state.manager.dispatch.refresh(
+                state, None, to_evaluate)
+
             state._commit(dict_, list(to_evaluate))
 
             # expire attributes with pending changes
@@ -1434,9 +1441,13 @@ class BulkUpdateFetch(BulkFetch, BulkUpdate):
             ]
             if identity_key in session.identity_map
         ])
-        attrib = [_attr_as_key(k) for k in self.values]
+
+        values = self._resolved_values_keys_as_propnames
+        attrib = set(k for k, v in values)
         for state in states:
-            session._expire_state(state, attrib)
+            to_expire = attrib.intersection(state.dict)
+            if to_expire:
+                session._expire_state(state, to_expire)
         session._register_altered(states)
 
 
index c8525f2f6c0c4602162aec81b3511b0f5e2bfb40..0244f18a904dc5730960ad5bcdf47c4d56a5c820 100644 (file)
@@ -330,6 +330,10 @@ class AssertsCompiledSQL(object):
             context = clause._compile_context()
             context.statement.use_labels = True
             clause = context.statement
+        elif isinstance(clause, orm.persistence.BulkUD):
+            with mock.patch.object(clause, "_execute_stmt") as stmt_mock:
+                clause.exec_()
+                clause = stmt_mock.mock_calls[0][1][0]
 
         if compile_kwargs:
             kw['compile_kwargs'] = compile_kwargs
index 20a76d6d21d0468c171232a367842ad81dff0de9..ea71beb5687ba5b206350242fe9efcfc8b3cd263 100644 (file)
@@ -1,5 +1,5 @@
 from sqlalchemy import func, Integer, Numeric, String, ForeignKey
-from sqlalchemy.orm import relationship, Session, aliased
+from sqlalchemy.orm import relationship, Session, aliased, persistence
 from sqlalchemy.testing.schema import Column
 from sqlalchemy.ext.declarative import declarative_base
 from sqlalchemy.ext import hybrid
@@ -538,6 +538,164 @@ class MethodExpressionTest(fixtures.TestBase, AssertsCompiledSQL):
         eq_(a1.other_value.__doc__, "This is an instance-level docstring")
 
 
+class BulkUpdateTest(fixtures.DeclarativeMappedTest, AssertsCompiledSQL):
+    __dialect__ = 'default'
+
+    @classmethod
+    def setup_classes(cls):
+        Base = cls.DeclarativeBasic
+
+        class Person(Base):
+            __tablename__ = 'person'
+
+            id = Column(Integer, primary_key=True)
+            first_name = Column(String(10))
+            last_name = Column(String(10))
+
+            @hybrid.hybrid_property
+            def name(self):
+                return self.first_name + ' ' + self.last_name
+
+            @name.setter
+            def name(self, value):
+                self.first_name, self.last_name = value.split(' ', 1)
+
+            @name.expression
+            def name(cls):
+                return func.concat(cls.first_name, ' ', cls.last_name)
+
+            @name.update_expression
+            def name(cls, value):
+                f, l = value.split(' ', 1)
+                return [(cls.first_name, f), (cls.last_name, l)]
+
+            @hybrid.hybrid_property
+            def uname(self):
+                return self.name
+
+            @hybrid.hybrid_property
+            def fname(self):
+                return self.first_name
+
+            @hybrid.hybrid_property
+            def fname2(self):
+                return self.fname
+
+    @classmethod
+    def insert_data(cls):
+        s = Session()
+        jill = cls.classes.Person(id=3, first_name='jill')
+        s.add(jill)
+        s.commit()
+
+    def test_update_plain(self):
+        Person = self.classes.Person
+
+        s = Session()
+        q = s.query(Person)
+
+        bulk_ud = persistence.BulkUpdate.factory(
+            q, False, {Person.fname: "Dr."}, {})
+
+        self.assert_compile(
+            bulk_ud,
+            "UPDATE person SET first_name=:first_name",
+            params={'first_name': 'Dr.'}
+        )
+
+    def test_update_expr(self):
+        Person = self.classes.Person
+
+        s = Session()
+        q = s.query(Person)
+
+        bulk_ud = persistence.BulkUpdate.factory(
+            q, False, {Person.name: "Dr. No"}, {})
+
+        self.assert_compile(
+            bulk_ud,
+            "UPDATE person SET first_name=:first_name, last_name=:last_name",
+            params={'first_name': 'Dr.', 'last_name': 'No'}
+        )
+
+    def test_evaluate_hybrid_attr_indirect(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.fname2: 'moonbeam'},
+            synchronize_session='evaluate')
+        eq_(jill.fname2, 'moonbeam')
+
+    def test_evaluate_hybrid_attr_plain(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.fname: 'moonbeam'},
+            synchronize_session='evaluate')
+        eq_(jill.fname, 'moonbeam')
+
+    def test_fetch_hybrid_attr_indirect(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.fname2: 'moonbeam'},
+            synchronize_session='fetch')
+        eq_(jill.fname2, 'moonbeam')
+
+    def test_fetch_hybrid_attr_plain(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.fname: 'moonbeam'},
+            synchronize_session='fetch')
+        eq_(jill.fname, 'moonbeam')
+
+    def test_evaluate_hybrid_attr_w_update_expr(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.name: 'moonbeam sunshine'},
+            synchronize_session='evaluate')
+        eq_(jill.name, 'moonbeam sunshine')
+
+    def test_fetch_hybrid_attr_w_update_expr(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.name: 'moonbeam sunshine'},
+            synchronize_session='fetch')
+        eq_(jill.name, 'moonbeam sunshine')
+
+    def test_evaluate_hybrid_attr_indirect_w_update_expr(self):
+        Person = self.classes.Person
+
+        s = Session()
+        jill = s.query(Person).get(3)
+
+        s.query(Person).update(
+            {Person.uname: 'moonbeam sunshine'},
+            synchronize_session='evaluate')
+        eq_(jill.uname, 'moonbeam sunshine')
+
+
 class SpecialObjectTest(fixtures.TestBase, AssertsCompiledSQL):
     """tests against hybrids that return a non-ClauseElement.
 
index 375dcb77a2f4727bf286451eef625e473266b0eb..cef0ad8d3880ddef24c709e4529eda3a475fd69f 100644 (file)
@@ -5,13 +5,13 @@ from sqlalchemy import Integer, String, ForeignKey, \
     select
 from sqlalchemy.testing.schema import Table, Column
 from sqlalchemy.orm import mapper, relationship, \
-    CompositeProperty, aliased
+    CompositeProperty, aliased, persistence
 from sqlalchemy.orm import composite, Session, configure_mappers
 from sqlalchemy.testing import eq_
 from sqlalchemy.testing import fixtures
 
 
-class PointTest(fixtures.MappedTest):
+class PointTest(fixtures.MappedTest, testing.AssertsCompiledSQL):
     @classmethod
     def define_tables(cls, metadata):
         Table('graphs', metadata,
@@ -201,6 +201,58 @@ class PointTest(fixtures.MappedTest):
             filter(ea.start != Point(3, 4)).first() is \
             g.edges[1]
 
+    def test_bulk_update_sql(self):
+        Edge, Point = (self.classes.Edge,
+                       self.classes.Point)
+
+        sess = self._fixture()
+
+        e1 = sess.query(Edge).filter(Edge.start == Point(14, 5)).one()
+
+        eq_(e1.end, Point(2, 7))
+
+        q = sess.query(Edge).filter(Edge.start == Point(14, 5))
+        bulk_ud = persistence.BulkUpdate.factory(
+            q, False, {Edge.end: Point(16, 10)}, {})
+
+        self.assert_compile(
+            bulk_ud,
+            "UPDATE edges SET x2=:x2, y2=:y2 WHERE edges.x1 = :x1_1 "
+            "AND edges.y1 = :y1_1",
+            params={'x2': 16, 'x1_1': 14, 'y2': 10, 'y1_1': 5},
+            dialect="default"
+        )
+
+    def test_bulk_update_evaluate(self):
+        Edge, Point = (self.classes.Edge,
+                       self.classes.Point)
+
+        sess = self._fixture()
+
+        e1 = sess.query(Edge).filter(Edge.start == Point(14, 5)).one()
+
+        eq_(e1.end, Point(2, 7))
+
+        q = sess.query(Edge).filter(Edge.start == Point(14, 5))
+        q.update({Edge.end: Point(16, 10)})
+
+        eq_(e1.end, Point(16, 10))
+
+    def test_bulk_update_fetch(self):
+        Edge, Point = (self.classes.Edge,
+                       self.classes.Point)
+
+        sess = self._fixture()
+
+        e1 = sess.query(Edge).filter(Edge.start == Point(14, 5)).one()
+
+        eq_(e1.end, Point(2, 7))
+
+        q = sess.query(Edge).filter(Edge.start == Point(14, 5))
+        q.update({Edge.end: Point(16, 10)}, synchronize_session="fetch")
+
+        eq_(e1.end, Point(16, 10))
+
     def test_get_history(self):
         Edge = self.classes.Edge
         Point = self.classes.Point
index 593714a06ecf62edf26bbb7c7924ced5ddf6a041..e387ad9e6392bc22b5fdc6c29c9cfc827f9c08fc 100644 (file)
@@ -190,23 +190,6 @@ class UpdateDeleteTest(fixtures.MappedTest):
             synchronize_session='evaluate')
         eq_(jill.ufoo, 'moonbeam')
 
-    def test_evaluate_hybrid_attr(self):
-        from sqlalchemy.ext.hybrid import hybrid_property
-
-        class Foo(object):
-            @hybrid_property
-            def uname(self):
-                return self.name
-
-        mapper(Foo, self.tables.users)
-
-        s = Session()
-        jill = s.query(Foo).get(3)
-        s.query(Foo).update(
-            {Foo.uname: 'moonbeam'},
-            synchronize_session='evaluate')
-        eq_(jill.uname, 'moonbeam')
-
     def test_delete(self):
         User = self.classes.User