1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
|
# orm/dependency.py
# Copyright (C) 2005,2006 Michael Bayer mike_mp@zzzcomputing.com
#
# This module is part of SQLAlchemy and is released under
# the MIT License: http://www.opensource.org/licenses/mit-license.php
"""bridges the PropertyLoader (i.e. a relation()) and the UOWTransaction
together to allow processing of scalar- and list-based dependencies at flush time."""
from sqlalchemy.orm import sync
from sqlalchemy.orm.sync import ONETOMANY,MANYTOONE,MANYTOMANY
from sqlalchemy import sql, util
from sqlalchemy.orm import session as sessionlib
def create_dependency_processor(prop):
types = {
ONETOMANY : OneToManyDP,
MANYTOONE: ManyToOneDP,
MANYTOMANY : ManyToManyDP,
}
if prop.association is not None:
return AssociationDP(prop)
else:
return types[prop.direction](prop)
class DependencyProcessor(object):
def __init__(self, prop):
self.prop = prop
self.cascade = prop.cascade
self.mapper = prop.mapper
self.parent = prop.parent
self.association = prop.association
self.secondary = prop.secondary
self.direction = prop.direction
self.is_backref = prop.is_backref
self.post_update = prop.post_update
self.foreignkey = prop.foreignkey
self.passive_deletes = prop.passive_deletes
self.key = prop.key
self._compile_synchronizers()
def register_dependencies(self, uowcommit):
"""tells a UOWTransaction what mappers are dependent on which, with regards
to the two or three mappers handled by this PropertyLoader.
Also registers itself as a "processor" for one of its mappers, which
will be executed after that mapper's objects have been saved or before
they've been deleted. The process operation manages attributes and dependent
operations upon the objects of one of the involved mappers."""
raise NotImplementedError()
def whose_dependent_on_who(self, obj1, obj2):
"""given an object pair assuming obj2 is a child of obj1, returns a tuple
with the dependent object second, or None if they are equal.
used by objectstore's object-level topological sort (i.e. cyclical
table dependency)."""
if obj1 is obj2:
return None
elif self.direction == ONETOMANY:
return (obj1, obj2)
else:
return (obj2, obj1)
def process_dependencies(self, task, deplist, uowcommit, delete = False):
"""this method is called during a flush operation to synchronize data between a parent and child object.
it is called within the context of the various mappers and sometimes individual objects sorted according to their
insert/update/delete order (topological sort)."""
raise NotImplementedError()
def preprocess_dependencies(self, task, deplist, uowcommit, delete = False):
"""used before the flushes' topological sort to traverse through related objects and insure every
instance which will require save/update/delete is properly added to the UOWTransaction."""
raise NotImplementedError()
def _synchronize(self, obj, child, associationrow, clearkeys):
"""called during a flush to synchronize primary key identifier values between a parent/child object, as well as
to an associationrow in the case of many-to-many."""
raise NotImplementedError()
def _compile_synchronizers(self):
"""assembles a list of 'synchronization rules', which are instructions on how to populate
the objects on each side of a relationship. This is done when a DependencyProcessor is
first initialized.
The list of rules is used within commits by the _synchronize() method when dependent
objects are processed."""
self.syncrules = sync.ClauseSynchronizer(self.parent, self.mapper, self.direction)
if self.direction == sync.MANYTOMANY:
self.syncrules.compile(self.prop.primaryjoin, issecondary=False)
self.syncrules.compile(self.prop.secondaryjoin, issecondary=True)
else:
self.syncrules.compile(self.prop.primaryjoin, foreignkey=self.foreignkey)
def get_object_dependencies(self, obj, uowcommit, passive = True):
"""returns the list of objects that are dependent on the given object, as according to the relationship
this dependency processor represents"""
return sessionlib.attribute_manager.get_history(obj, self.key, passive = passive)
def _conditional_post_update(self, obj, uowcommit, related):
"""execute a post_update call.
for relations that contain the post_update flag, an additional UPDATE statement may be
associated after an INSERT or before a DELETE in order to resolve circular row dependencies.
This method will check for the post_update flag being set on a particular relationship, and
given a target object and list of one or more related objects, and execute the UPDATE if the
given related object list contains INSERTs or DELETEs."""
if obj is not None and self.post_update:
for x in related:
if x is not None and (uowcommit.is_deleted(x) or not hasattr(x, '_instance_key')):
uowcommit.register_object(obj, postupdate=True, post_update_cols=self.syncrules.dest_columns())
break
class OneToManyDP(DependencyProcessor):
def register_dependencies(self, uowcommit):
if self.post_update:
stub = MapperStub(self.parent, self.mapper, self.key)
uowcommit.register_dependency(self.mapper, stub)
uowcommit.register_dependency(self.parent, stub)
uowcommit.register_processor(stub, self, self.parent)
else:
uowcommit.register_dependency(self.parent, self.mapper)
uowcommit.register_processor(self.parent, self, self.parent)
def process_dependencies(self, task, deplist, uowcommit, delete = False):
#print self.mapper.mapped_table.name + " " + self.key + " " + repr(len(deplist)) + " process_dep isdelete " + repr(delete) + " direction " + repr(self.direction)
if delete:
# head object is being deleted, and we manage its list of child objects
# the child objects have to have their foreign key to the parent set to NULL
if not self.cascade.delete_orphan or self.post_update:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
for child in childlist.deleted_items():
if child is not None and childlist.hasparent(child) is False:
self._synchronize(obj, child, None, True)
self._conditional_post_update(child, uowcommit, [obj])
for child in childlist.unchanged_items():
if child is not None:
self._synchronize(obj, child, None, True)
self._conditional_post_update(child, uowcommit, [obj])
else:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=True)
if childlist is not None:
for child in childlist.added_items():
self._synchronize(obj, child, None, False)
self._conditional_post_update(child, uowcommit, [obj])
for child in childlist.deleted_items():
if not self.cascade.delete_orphan:
self._synchronize(obj, child, None, True)
def preprocess_dependencies(self, task, deplist, uowcommit, delete = False):
#print self.mapper.mapped_table.name + " " + self.key + " " + repr(len(deplist)) + " preprocess_dep isdelete " + repr(delete) + " direction " + repr(self.direction)
if delete:
# head object is being deleted, and we manage its list of child objects
# the child objects have to have their foreign key to the parent set to NULL
if self.post_update:
pass
elif self.cascade.delete_orphan:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
for child in childlist.deleted_items():
if child is not None and childlist.hasparent(child) is False:
uowcommit.register_object(child, isdelete=True)
for c in self.mapper.cascade_iterator('delete', child):
uowcommit.register_object(c, isdelete=True)
for child in childlist.unchanged_items():
if child is not None:
uowcommit.register_object(child, isdelete=True)
for c in self.mapper.cascade_iterator('delete', child):
uowcommit.register_object(c, isdelete=True)
else:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
for child in childlist.deleted_items():
if child is not None and childlist.hasparent(child) is False:
uowcommit.register_object(child)
for child in childlist.unchanged_items():
if child is not None:
uowcommit.register_object(child)
else:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=True)
if childlist is not None:
for child in childlist.added_items():
if child is not None:
uowcommit.register_object(child)
for child in childlist.deleted_items():
if not self.cascade.delete_orphan:
uowcommit.register_object(child, isdelete=False)
elif childlist.hasparent(child) is False:
uowcommit.register_object(child, isdelete=True)
for c in self.mapper.cascade_iterator('delete', child):
uowcommit.register_object(c, isdelete=True)
def _synchronize(self, obj, child, associationrow, clearkeys):
source = obj
dest = child
if dest is None:
return
self.syncrules.execute(source, dest, obj, child, clearkeys)
class ManyToOneDP(DependencyProcessor):
def register_dependencies(self, uowcommit):
if self.post_update:
stub = MapperStub(self.parent, self.mapper, self.key)
uowcommit.register_dependency(self.mapper, stub)
uowcommit.register_dependency(self.parent, stub)
uowcommit.register_processor(stub, self, self.parent)
else:
uowcommit.register_dependency(self.mapper, self.parent)
uowcommit.register_processor(self.mapper, self, self.parent)
def process_dependencies(self, task, deplist, uowcommit, delete = False):
#print self.mapper.mapped_table.name + " " + self.key + " " + repr(len(deplist)) + " process_dep isdelete " + repr(delete) + " direction " + repr(self.direction)
if delete:
if self.post_update and not self.cascade.delete_orphan:
# post_update means we have to update our row to not reference the child object
# before we can DELETE the row
for obj in deplist:
self._synchronize(obj, None, None, True)
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
self._conditional_post_update(obj, uowcommit, childlist.deleted_items() + childlist.unchanged_items() + childlist.added_items())
else:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=True)
if childlist is not None:
for child in childlist.added_items():
self._synchronize(obj, child, None, False)
self._conditional_post_update(obj, uowcommit, childlist.deleted_items() + childlist.unchanged_items() + childlist.added_items())
def preprocess_dependencies(self, task, deplist, uowcommit, delete = False):
#print self.mapper.mapped_table.name + " " + self.key + " " + repr(len(deplist)) + " PRE process_dep isdelete " + repr(delete) + " direction " + repr(self.direction)
if self.post_update:
return
if delete:
if self.cascade.delete:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
for child in childlist.deleted_items() + childlist.unchanged_items():
if child is not None and childlist.hasparent(child) is False:
uowcommit.register_object(child, isdelete=True)
for c in self.mapper.cascade_iterator('delete', child):
uowcommit.register_object(c, isdelete=True)
else:
for obj in deplist:
uowcommit.register_object(obj)
if self.cascade.delete_orphan:
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
for child in childlist.deleted_items():
if childlist.hasparent(child) is False:
uowcommit.register_object(child, isdelete=True)
for c in self.mapper.cascade_iterator('delete', child):
uowcommit.register_object(c, isdelete=True)
def _synchronize(self, obj, child, associationrow, clearkeys):
source = child
dest = obj
if dest is None:
return
self.syncrules.execute(source, dest, obj, child, clearkeys)
class ManyToManyDP(DependencyProcessor):
def register_dependencies(self, uowcommit):
# many-to-many. create a "Stub" mapper to represent the
# "middle table" in the relationship. This stub mapper doesnt save
# or delete any objects, but just marks a dependency on the two
# related mappers. its dependency processor then populates the
# association table.
if self.is_backref:
# if we are the "backref" half of a two-way backref
# relationship, let the other mapper handle inserting the rows
return
stub = MapperStub(self.parent, self.mapper, self.key)
uowcommit.register_dependency(self.parent, stub)
uowcommit.register_dependency(self.mapper, stub)
uowcommit.register_processor(stub, self, self.parent)
def process_dependencies(self, task, deplist, uowcommit, delete = False):
#print self.mapper.table.name + " " + self.key + " " + repr(len(deplist)) + " process_dep isdelete " + repr(delete) + " direction " + repr(self.direction)
connection = uowcommit.transaction.connection(self.mapper)
secondary_delete = []
secondary_insert = []
if delete:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit, passive=False)
for child in childlist.deleted_items() + childlist.unchanged_items():
associationrow = {}
self._synchronize(obj, child, associationrow, False)
secondary_delete.append(associationrow)
else:
for obj in deplist:
childlist = self.get_object_dependencies(obj, uowcommit)
if childlist is None: continue
for child in childlist.added_items():
associationrow = {}
self._synchronize(obj, child, associationrow, False)
secondary_insert.append(associationrow)
for child in childlist.deleted_items():
associationrow = {}
self._synchronize(obj, child, associationrow, False)
secondary_delete.append(associationrow)
if len(secondary_delete):
secondary_delete.sort()
# TODO: precompile the delete/insert queries?
statement = self.secondary.delete(sql.and_(*[c == sql.bindparam(c.key) for c in self.secondary.c if c.key in associationrow]))
connection.execute(statement, secondary_delete)
if len(secondary_insert):
statement = self.secondary.insert()
connection.execute(statement, secondary_insert)
def preprocess_dependencies(self, task, deplist, uowcommit, delete = False):
pass
def _synchronize(self, obj, child, associationrow, clearkeys):
dest = associationrow
source = None
if dest is None:
return
self.syncrules.execute(source, dest, obj, child, clearkeys)
class AssociationDP(OneToManyDP):
def __init__(self, *args, **kwargs):
super(AssociationDP, self).__init__(*args, **kwargs)
self.cascade.delete = True
self.cascade.delete_orphan = True
class MapperStub(object):
"""poses as a Mapper representing the association table in a many-to-many
join, when performing a flush().
The Task objects in the objectstore module treat it just like
any other Mapper, but in fact it only serves as a "dependency" placeholder
for the many-to-many update task."""
__metaclass__ = util.ArgSingleton
def __init__(self, parent, mapper, key):
self.mapper = mapper
self._inheriting_mappers = []
def register_dependencies(self, uowcommit):
pass
def save_obj(self, *args, **kwargs):
pass
def delete_obj(self, *args, **kwargs):
pass
def primary_mapper(self):
return self
def base_mapper(self):
return self
|