Transaction boundary for persistence operations.
Groups one or more repository operations into an atomic unit. Use as a
context manager to ensure that all changes within the block are committed
together or rolled back on error::
with UnitOfWork():
repo = domain.repository_for(Order)
order = repo.get(order_id)
order.confirm()
repo.add(order)
Command handlers and the @use_case decorator wrap their execution in a
UnitOfWork automatically, so explicit usage is typically only needed in
application services or scripts.
The UnitOfWork maintains an identity map to track loaded aggregates and
collects domain events raised during the transaction. On commit, events
are persisted to the outbox and dispatched to brokers/event store.
Source code in src/protean/core/unit_of_work.py
| def __init__(self) -> None:
self.domain = current_domain
self._in_progress = False
self._sessions = {}
self._messages_to_dispatch = []
self._identity_map = defaultdict(dict)
|
start
Begin the transaction and push this UnitOfWork onto the context stack.
Source code in src/protean/core/unit_of_work.py
| def start(self) -> None:
"""Begin the transaction and push this UnitOfWork onto the context stack."""
self._in_progress = True
_uow_context_stack.push(self)
|
commit
Commit all changes, persist outbox messages, and dispatch events.
| RAISES |
DESCRIPTION |
InvalidOperationError
|
If the UnitOfWork is not in progress.
|
ExpectedVersionError
|
On optimistic concurrency conflict.
|
TransactionError
|
If the underlying database commit fails.
|
Source code in src/protean/core/unit_of_work.py
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 | def commit(self) -> None: # noqa: C901
"""Commit all changes, persist outbox messages, and dispatch events.
Raises:
InvalidOperationError: If the UnitOfWork is not in progress.
ExpectedVersionError: On optimistic concurrency conflict.
TransactionError: If the underlying database commit fails.
"""
from protean.utils.outbox import Outbox
from protean.utils.processing import current_priority
# Raise error if there the Unit Of Work is not active
logger.debug(f"Committing {self}...")
if not self._in_progress:
raise InvalidOperationError("UnitOfWork is not in progress")
# Gather all events from identity map using helper method
all_events = self._gather_events()
# Read the processing priority from the current context.
# This is set by domain.process() or by a processing_priority() context manager.
priority = current_priority()
# Store events in the outbox as part of the transaction
for provider_name, session in self._sessions.items():
if self.domain.has_outbox:
# Get the provider's repository for outbox
outbox_repo = self.domain._get_outbox_repo(provider_name)
for event in all_events[provider_name]:
# Extract trace context for outbox denormalized fields
correlation_id = None
causation_id = None
if event._metadata and event._metadata.domain:
correlation_id = event._metadata.domain.correlation_id
causation_id = event._metadata.domain.causation_id
outbox_message = Outbox.create_message(
message_id=event._metadata.headers.id,
stream_name=event._metadata.headers.stream,
message_type=event._metadata.headers.type,
data=event.payload,
metadata=event._metadata,
priority=priority,
correlation_id=correlation_id,
causation_id=causation_id,
)
outbox_repo._dao.save(outbox_message)
# Exit from Unit of Work
# This is necessary to ensure that the context stack is cleared
# and any further operations are not considered part of this transaction
_uow_context_stack.pop()
# Process each provider session separately
try:
for provider_name, session in self._sessions.items():
# Commit the session (includes outbox records)
session.commit()
# Store all events in the event store
for provider, events in all_events.items():
for event in events:
current_domain.event_store.store.append(event)
# Push messages to all brokers (fallback for compatibility)
# FIXME Send message to its designated broker?
# FIXME Send messages through domain.brokers.publish?
for stream, message in self._messages_to_dispatch:
for _, broker in self.domain.brokers.items():
broker.publish(stream, message)
# Iteratively consume all events produced in this session
if current_domain.config["event_processing"] == Processing.SYNC.value:
for provider, events in all_events.items():
for event in events:
handler_classes = current_domain.handlers_for(event)
for handler_cls in handler_classes:
handler_cls._handle(event)
# Clear events from items in identity map
self._clear_events_from_items()
logger.debug("Commit Successful")
except ValueError as exc:
logger.error(str(exc))
# Extact message based on message store platform in use
if str(exc).startswith("P0001-ERROR"):
msg = str(exc).split("P0001-ERROR: ")[1]
else:
msg = str(exc)
raise ExpectedVersionError(msg) from None
except ConfigurationError as exc:
# Configuration errors can be raised if events are misconfigured
# We just re-raise it for the client to handle.
raise exc
except Exception as exc:
logger.error(
f"Error during Commit: {str(exc)}. Rolling back Transaction..."
)
raise TransactionError(
f"Unit of Work commit failed: {str(exc)}",
extra_info={
"original_exception": exc.__class__.__name__,
"original_message": str(exc),
"sessions": list(self._sessions.keys()),
"events_count": sum(len(events) for events in all_events.values()),
"messages_count": len(self._messages_to_dispatch),
},
) from exc
self._reset()
|
rollback
Roll back all changes and close sessions.
| RAISES |
DESCRIPTION |
InvalidOperationError
|
If the UnitOfWork is not in progress.
|
Source code in src/protean/core/unit_of_work.py
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248 | def rollback(self) -> None:
"""Roll back all changes and close sessions.
Raises:
InvalidOperationError: If the UnitOfWork is not in progress.
"""
# Raise error if the Unit Of Work is not active
if not self._in_progress:
raise InvalidOperationError("UnitOfWork is not in progress")
# Exit from Unit of Work
_uow_context_stack.pop()
try:
for session in self._sessions.values():
session.rollback()
logger.debug("Transaction rolled back")
except Exception as exc:
logger.error(f"Error during Transaction rollback: {str(exc)}")
self._reset()
|
get_session
get_session(provider_name)
Get session for provider, initializing one if it doesn't exist
Source code in src/protean/core/unit_of_work.py
| def get_session(self, provider_name):
"""Get session for provider, initializing one if it doesn't exist"""
if provider_name in self._sessions:
return self._sessions[provider_name]
else:
return self._initialize_session(provider_name)
|