File: hooks.rst

package info (click to toggle)
transaction 5.0-1
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 580 kB
  • sloc: python: 3,333; makefile: 130
file content (397 lines) | stat: -rw-r--r-- 10,065 bytes parent folder | download | duplicates (2)
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
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
Hooking the Transaction Machinery
=================================

The :mod:`transaction` machinery allows application developers to register
two different groups of callbacks to be called, one group before
committing the transaction and one group after.

These hooks are **not** designed to be used as replacements for the
two-phase commit machinery defined by a resource manager (see
:doc:`resourcemanager`).  In particular, hook functions **must not** raise
or propagate exceptions.

.. warning::

   Hook functions which *do* raise or propagate exceptions will leave the
   application in an undefined state.

The :meth:`addBeforeCommitHook` Method
--------------------------------------

Let's define a hook to call, and a way to see that it was called.

.. doctest::

    >>> log = []
    >>> def reset_log():
    ...     del log[:]

    >>> def hook(arg='no_arg', kw1='no_kw1', kw2='no_kw2'):
    ...     log.append("arg %r kw1 %r kw2 %r" % (arg, kw1, kw2))

Now register the hook with a transaction.

.. doctest::

    >>> from transaction import begin
    >>> import transaction
    >>> t = begin()
    >>> t.addBeforeCommitHook(hook, ('1',))

We can see that the hook is indeed registered.

.. doctest::

    >>> [(hook.__name__, args, kws)
    ...  for hook, args, kws in t.getBeforeCommitHooks()]
    [('hook', ('1',), {})]

When transaction commit starts, the hook is called, with its
arguments.

.. doctest::

    >>> log
    []
    >>> t.commit()
    >>> log
    ["arg '1' kw1 'no_kw1' kw2 'no_kw2'"]
    >>> reset_log()

A hook's registration is consumed whenever the hook is called.  Since
the hook above was called, it's no longer registered:

.. doctest::

    >>> from transaction import commit
    >>> len(list(t.getBeforeCommitHooks()))
    0
    >>> commit()
    >>> log
    []

The hook is only called for a full commit, not for a savepoint.

.. doctest::

    >>> t = begin()
    >>> t.addBeforeCommitHook(hook, ('A',), dict(kw1='B'))
    >>> dummy = t.savepoint()
    >>> log
    []
    >>> t.commit()
    >>> log
    ["arg 'A' kw1 'B' kw2 'no_kw2'"]
    >>> reset_log()

If a transaction is aborted, no hook is called.

.. doctest::

    >>> from transaction import abort
    >>> t = begin()
    >>> t.addBeforeCommitHook(hook, ["OOPS!"])
    >>> abort()
    >>> log
    []
    >>> commit()
    >>> log
    []

The hook is called before the commit does anything, so even if the
commit fails the hook will have been called.  To provoke failures in
commit, we'll add failing resource manager to the transaction.

.. doctest::

    >>> class CommitFailure(Exception):
    ...     pass
    >>> class FailingDataManager:
    ...     def tpc_begin(self, txn, sub=False):
    ...         raise CommitFailure('failed')
    ...     def abort(self, txn):
    ...         pass

    >>> t = begin()
    >>> t.join(FailingDataManager())

    >>> t.addBeforeCommitHook(hook, ('2',))

    >>> from transaction.tests.common import DummyFile
    >>> from transaction.tests.common import Monkey
    >>> from transaction.tests.common import assertRaisesEx
    >>> from transaction import _transaction
    >>> buffer = DummyFile()
    >>> with Monkey(_transaction, _TB_BUFFER=buffer):
    ...     err = assertRaisesEx(CommitFailure, t.commit)
    >>> log
    ["arg '2' kw1 'no_kw1' kw2 'no_kw2'"]
    >>> reset_log()

Let's register several hooks.

.. doctest::

    >>> t = begin()
    >>> t.addBeforeCommitHook(hook, ('4',), dict(kw1='4.1'))
    >>> t.addBeforeCommitHook(hook, ('5',), dict(kw2='5.2'))

They are returned in the same order by getBeforeCommitHooks.

.. doctest::

    >>> [(hook.__name__, args, kws)  #doctest: +NORMALIZE_WHITESPACE
    ...  for hook, args, kws in t.getBeforeCommitHooks()]
    [('hook', ('4',), {'kw1': '4.1'}),
    ('hook', ('5',), {'kw2': '5.2'})]

And commit also calls them in this order.

.. doctest::

    >>> t.commit()
    >>> len(log)
    2
    >>> log  #doctest: +NORMALIZE_WHITESPACE
    ["arg '4' kw1 '4.1' kw2 'no_kw2'",
    "arg '5' kw1 'no_kw1' kw2 '5.2'"]
    >>> reset_log()

While executing, a hook can itself add more hooks, and they will all
be called before the real commit starts.

.. doctest::

    >>> def recurse(txn, arg):
    ...     log.append('rec' + str(arg))
    ...     if arg:
    ...         txn.addBeforeCommitHook(hook, ('-',))
    ...         txn.addBeforeCommitHook(recurse, (txn, arg-1))

    >>> t = begin()
    >>> t.addBeforeCommitHook(recurse, (t, 3))
    >>> commit()
    >>> log  #doctest: +NORMALIZE_WHITESPACE
    ['rec3',
            "arg '-' kw1 'no_kw1' kw2 'no_kw2'",
    'rec2',
            "arg '-' kw1 'no_kw1' kw2 'no_kw2'",
    'rec1',
            "arg '-' kw1 'no_kw1' kw2 'no_kw2'",
    'rec0']
    >>> reset_log()

The :meth:`addAfterCommitHook` Method
--------------------------------------

Let's define a hook to call, and a way to see that it was called.

.. doctest::

    >>> log = []
    >>> def reset_log():
    ...     del log[:]

    >>> def hook(status, arg='no_arg', kw1='no_kw1', kw2='no_kw2'):
    ...     log.append("%r arg %r kw1 %r kw2 %r" % (status, arg, kw1, kw2))

Now register the hook with a transaction.

.. doctest::

    >>> from transaction import begin
    >>> t = begin()
    >>> t.addAfterCommitHook(hook, ('1',))

We can see that the hook is indeed registered.

.. doctest::


    >>> [(hook.__name__, args, kws)
    ...  for hook, args, kws in t.getAfterCommitHooks()]
    [('hook', ('1',), {})]

When transaction commit is done, the hook is called, with its
arguments.

.. doctest::

    >>> log
    []
    >>> t.commit()
    >>> log
    ["True arg '1' kw1 'no_kw1' kw2 'no_kw2'"]
    >>> reset_log()

A hook's registration is consumed whenever the hook is called.  Since
the hook above was called, it's no longer registered:

.. doctest::

    >>> from transaction import commit
    >>> len(list(t.getAfterCommitHooks()))
    0
    >>> commit()
    >>> log
    []

The hook is only called after a full commit, not for a savepoint.

.. doctest::

    >>> t = begin()
    >>> t.addAfterCommitHook(hook, ('A',), dict(kw1='B'))
    >>> dummy = t.savepoint()
    >>> log
    []
    >>> t.commit()
    >>> log
    ["True arg 'A' kw1 'B' kw2 'no_kw2'"]
    >>> reset_log()

If a transaction is aborted, no hook is called.

.. doctest::

    >>> from transaction import abort
    >>> t = begin()
    >>> t.addAfterCommitHook(hook, ["OOPS!"])
    >>> abort()
    >>> log
    []
    >>> commit()
    >>> log
    []

The hook is called after the commit is done, so even if the
commit fails the hook will have been called.  To provoke failures in
commit, we'll add failing resource manager to the transaction.

.. doctest::

    >>> class CommitFailure(Exception):
    ...     pass
    >>> class FailingDataManager:
    ...     def tpc_begin(self, txn):
    ...         raise CommitFailure('failed')
    ...     def abort(self, txn):
    ...         pass

    >>> t = begin()
    >>> t.join(FailingDataManager())

    >>> t.addAfterCommitHook(hook, ('2',))
    >>> from transaction.tests.common import DummyFile
    >>> from transaction.tests.common import Monkey
    >>> from transaction.tests.common import assertRaisesEx
    >>> from transaction import _transaction
    >>> buffer = DummyFile()
    >>> with Monkey(_transaction, _TB_BUFFER=buffer):
    ...     err = assertRaisesEx(CommitFailure, t.commit)
    >>> log
    ["False arg '2' kw1 'no_kw1' kw2 'no_kw2'"]
    >>> reset_log()

Let's register several hooks.

.. doctest::

    >>> t = begin()
    >>> t.addAfterCommitHook(hook, ('4',), dict(kw1='4.1'))
    >>> t.addAfterCommitHook(hook, ('5',), dict(kw2='5.2'))

They are returned in the same order by getAfterCommitHooks.

.. doctest::

    >>> [(hook.__name__, args, kws)     #doctest: +NORMALIZE_WHITESPACE
    ...  for hook, args, kws in t.getAfterCommitHooks()]
    [('hook', ('4',), {'kw1': '4.1'}),
    ('hook', ('5',), {'kw2': '5.2'})]

And commit also calls them in this order.

.. doctest::

    >>> t.commit()
    >>> len(log)
    2
    >>> log  #doctest: +NORMALIZE_WHITESPACE
    ["True arg '4' kw1 '4.1' kw2 'no_kw2'",
    "True arg '5' kw1 'no_kw1' kw2 '5.2'"]
    >>> reset_log()

While executing, a hook can itself add more hooks, and they will all
be called before the real commit starts.

.. doctest::

    >>> def recurse(status, txn, arg):
    ...     log.append('rec' + str(arg))
    ...     if arg:
    ...         txn.addAfterCommitHook(hook, ('-',))
    ...         txn.addAfterCommitHook(recurse, (txn, arg-1))

    >>> t = begin()
    >>> t.addAfterCommitHook(recurse, (t, 3))
    >>> commit()
    >>> log  #doctest: +NORMALIZE_WHITESPACE
    ['rec3',
            "True arg '-' kw1 'no_kw1' kw2 'no_kw2'",
    'rec2',
            "True arg '-' kw1 'no_kw1' kw2 'no_kw2'",
    'rec1',
            "True arg '-' kw1 'no_kw1' kw2 'no_kw2'",
    'rec0']
    >>> reset_log()

If an after commit hook is raising an exception then it will log a
message at error level so that if other hooks are registered they
can be executed. We don't support execution dependencies at this level.

.. doctest::

    >>> from transaction import TransactionManager
    >>> from transaction.tests.test__manager import DataObject
    >>> mgr = TransactionManager()
    >>> do = DataObject(mgr)

    >>> def hookRaise(status, arg='no_arg', kw1='no_kw1', kw2='no_kw2'):
    ...     raise TypeError("Fake raise")

    >>> t = begin()

    >>> t.addAfterCommitHook(hook, ('-', 1))
    >>> t.addAfterCommitHook(hookRaise, ('-', 2))
    >>> t.addAfterCommitHook(hook, ('-', 3))
    >>> commit()

    >>> log
    ["True arg '-' kw1 1 kw2 'no_kw2'", "True arg '-' kw1 3 kw2 'no_kw2'"]

    >>> reset_log()

Test that the associated transaction manager has been cleaned up when
after commit hooks are registered

.. doctest::

    >>> t = begin()
    >>> t._manager is not None
    True
    >>> t._manager._txn is t
    True

    >>> t.addAfterCommitHook(hook, ('-', 1))
    >>> commit()

    >>> log
    ["True arg '-' kw1 1 kw2 'no_kw2'"]

    >>> t._manager is None
    True
    >>> mgr._txn is None
    True

    >>> reset_log()