Skip to main content
Version: Next

Transactions

Transaction management is fundamental to database programming. Storm takes a practical approach: rather than inventing new abstractions, it provides first-class support for standard transaction semantics while integrating seamlessly with your existing infrastructure.

Storm works directly with JDBC transactions and supports both programmatic and declarative transaction management. For Kotlin, Storm provides a coroutine-friendly API inspired by Exposed. For Java, Storm integrates with Spring's transaction management or works directly with JDBC connections.


Storm for Kotlin provides a fully programmatic transaction solution (following the style popularized by Exposed) that is completely coroutine-friendly. It supports all isolation levels and propagation modes found in traditional transaction management systems. You can freely switch coroutine dispatchers within a transaction (offload CPU-bound work to Dispatchers.Default or IO work to Dispatchers.IO) and still remain in the same active transaction.

While Storm's transaction { } blocks look similar to Exposed's, Storm goes further by supporting all seven standard propagation modes (REQUIRED, REQUIRES_NEW, NESTED, MANDATORY, SUPPORTS, NOT_SUPPORTED, NEVER). Exposed's native transaction API only supports basic nesting (shared transaction) and savepoint-based nesting (useNestedTransactions = true), without the ability to suspend an outer transaction, enforce transactional context, or run non-transactionally. See Storm vs Exposed for a detailed comparison.

The API is designed around Kotlin's type system and coroutine model. Import the transaction functions and enums from st.orm.template:

import st.orm.template.transaction
import st.orm.template.transactionBlocking
import st.orm.template.TransactionPropagation.*
import st.orm.template.TransactionIsolation.*

Suspend Transactions

Use transaction for coroutine code:

transaction {
orm.removeAll<Visit>()
orm insert User(email = "alice@example.com", name = "Alice")
// Commits automatically on success, rolls back on exception
}

Suspend transactions allow context switching without losing the active transaction:

transaction {
val orders = orderRepository.findPendingOrders()

withContext(Dispatchers.Default) {
// CPU-bound work on another dispatcher
heavyComputation(orders)
}

// Still in the same transaction
orderRepository.update(order.copy(pending = false))
}

Blocking Transactions

Use transactionBlocking for synchronous code:

transactionBlocking {
orm.removeAll<Visit>()
orm insert User(email = "alice@example.com", name = "Alice")
// Commits automatically on success, rolls back on exception
}

Transaction Propagation

Propagation modes are one of the most powerful features of enterprise transaction management, yet they're often misunderstood. They control how transactions interact when code calls another transactional method. This is essential for building composable services where each method can define its transactional requirements independently.

Storm supports all seven standard propagation modes. Understanding when to use each mode helps you build robust, maintainable applications where components work correctly both standalone and when composed together.

REQUIRED (Default)

Joins an existing transaction if one is active, otherwise creates a new one. This is the most common mode: it allows methods to participate in a larger transactional context while still working standalone.

When called without an existing transaction, a new transaction is started:

[BEGIN] → insert(user) → insert(order) → [COMMIT]

When called within an existing transaction, the operations join that transaction. All operations commit or rollback together:

[BEGIN]

insert(user)

┌─ transaction(REQUIRED) ─┐
│ insert(order) │ ← joins outer transaction
└─────────────────────────┘

insert(payment)

[COMMIT] ← all three inserts committed together

In this example, orderService.createOrder() participates in the same transaction. If either operation fails, both are rolled back:

transaction(propagation = REQUIRED) {
userRepository.insert(user)
orderService.createOrder(order) // Joins this transaction
}

Use cases: The default for most operations. Use when operations should be atomic with their caller.

REQUIRES_NEW

Always creates a new, independent transaction. If an outer transaction exists, it is suspended until the inner transaction completes. The inner transaction commits or rolls back independently of the outer one.

The following diagram shows the outer transaction being suspended while the inner transaction runs. Notice that the inner transaction commits before the outer transaction fails, so the audit log persists even though the outer transaction rolls back:

[BEGIN outer]

insert(user)

~~~ outer suspended ~~~

[BEGIN inner]

insert(audit_log)

[COMMIT inner] ← committed independently

~~~ outer resumed ~~~

insert(order)

[ROLLBACK outer] ← audit_log survives!

This pattern is useful for audit logging. The audit record is preserved regardless of whether the business operation succeeds:

transaction {
userRepository.insert(user)

// Audit log commits even if outer transaction fails
transaction(propagation = REQUIRES_NEW) {
auditRepository.insert(AuditLog("User creation attempted"))
}

orderRepository.insert(order) // If this fails, audit log is preserved
}

Use cases: Audit logging, error tracking, metrics recording, or any operation that must persist regardless of the outer transaction's outcome.

NESTED

Creates a savepoint within the current transaction. If the nested block fails, only changes since the savepoint are rolled back, and the outer transaction can continue. Unlike REQUIRES_NEW, nested transactions share the same database connection and only fully commit when the outer transaction commits. If no transaction exists, behaves like REQUIRED.

When the nested block succeeds, the savepoint is released and all changes commit together with the outer transaction:

[BEGIN]

insert(order)

[SAVEPOINT]

insert(discount)

[RELEASE SAVEPOINT]

insert(payment)

[COMMIT] ← all three inserts committed

When the nested block fails or calls setRollbackOnly(), only changes within the savepoint are discarded. The outer transaction continues with its prior work intact:

[BEGIN]

insert(order) ✓ kept

[SAVEPOINT]

insert(discount) ✗ discarded
insert(bonus) ✗ discarded

[ROLLBACK TO SAVEPOINT]

insert(payment) ✓ kept

[COMMIT] ← order + payment committed, discount + bonus discarded

This pattern is useful for optional operations that shouldn't abort the main flow. Here, the discount is applied if a valid promo code exists, but the order proceeds either way:

transaction {
val order = orderRepository.insert(newOrder)

transaction(propagation = NESTED) {
val promo = promoRepository.findByCode(promoCode) ?: return@transaction
discountRepository.insert(Discount(order.id, promo.amount))

if (promo.expired) {
setRollbackOnly() // Rolls back the discount insert
}
}

// Continues regardless of whether discount was applied
paymentRepository.insert(Payment(order.id, calculateTotal(order)))
}

Use cases: Optional features that shouldn't abort the main flow, retry logic within a transaction, or "best effort" operations.

MANDATORY

Requires an active transaction; throws PersistenceException if none exists. Use this to enforce that a method is never called outside a transactional context. This is a defensive programming technique to catch integration errors early.

No transaction active:
transaction(MANDATORY) → ✗ PersistenceException

Transaction active:
[BEGIN]

transaction(MANDATORY) → ✓ joins outer

[COMMIT]

This pattern is useful for operations that must never run standalone. A fund transfer should always be part of a larger transactional context:

// In a repository or service that must run within a transaction
fun transferFunds(from: Account, to: Account, amount: BigDecimal) {
transaction(propagation = MANDATORY) {
// Guaranteed to be in a transaction. Fails fast if not.
accountRepository.debit(from, amount)
accountRepository.credit(to, amount)
}
}

Use cases: Critical operations that must be part of a larger transaction, enforcing transactional boundaries in service layers.

SUPPORTS

Uses an existing transaction if available, otherwise runs without one. The code adapts to its calling context: transactional when called from a transaction, non-transactional otherwise.

No transaction active:
transaction(SUPPORTS) → runs without transaction

Transaction active:
[BEGIN]

transaction(SUPPORTS) → joins outer transaction

[COMMIT]

This pattern is useful for read operations that don't require transactional guarantees but benefit from them when available:

fun findUserById(id: Long): User? {
return transaction(propagation = SUPPORTS) {
// Benefits from transactional consistency if caller has a transaction,
// but works fine standalone for simple lookups
userRepository.findById(id)
}
}

Use cases: Read-only operations, caching layers, or queries that benefit from transactional consistency when available but don't require it.

NOT_SUPPORTED

Suspends any active transaction and runs non-transactionally. The outer transaction resumes after the block completes. The suspended transaction's locks are retained, but this block won't see uncommitted changes from it.

[BEGIN outer]

insert(order)

~~~ outer suspended ~~~

callExternalApi() ← runs without transaction

~~~ outer resumed ~~~

insert(confirmation)

[COMMIT outer]

This pattern is useful for operations that shouldn't hold database resources or need to see committed data:

transaction {
orderRepository.insert(order)

// External API call shouldn't hold database locks
transaction(propagation = NOT_SUPPORTED) {
paymentGateway.processPayment(order.total) // May take time
}

orderRepository.markAsPaid(order.id)
}

Use cases: External API calls, long-running computations, operations that must see committed data from other transactions, or reducing lock contention.

NEVER

Fails with PersistenceException if a transaction is active. Use this to enforce that code runs outside any transactional context. This is the opposite of MANDATORY, serving as a defensive check to prevent accidental transactional execution.

No transaction active:
transaction(NEVER) → ✓ runs without transaction

Transaction active:
[BEGIN]

transaction(NEVER) → ✗ PersistenceException

This pattern is useful for operations that should never participate in a transaction, such as batch jobs that manage their own transaction boundaries:

fun runBatchJob() {
transaction(propagation = NEVER) {
// Ensures this is never accidentally called within another transaction
// Each batch item will manage its own transaction
items.forEach { item ->
transaction {
processItem(item)
}
}
}
}

Use cases: Batch operations with custom transaction boundaries, operations that must see real-time committed data, or enforcing architectural boundaries.

Propagation Summary

ModeNo Active TxActive Tx Exists
REQUIREDCreate newJoin existing
REQUIRES_NEWCreate newSuspend outer, create new
NESTEDCreate newCreate savepoint
MANDATORYErrorJoin existing
SUPPORTSRun without txJoin existing
NOT_SUPPORTEDRun without txSuspend outer, run without tx
NEVERRun without txError

Isolation Levels

Isolation levels are the database's answer to concurrency. When multiple transactions run simultaneously, they can interfere with each other in various ways. The SQL standard defines four isolation levels, each preventing different types of concurrency anomalies.

Storm exposes all four standard isolation levels through its API, giving you full control over the consistency-performance trade-off. Most applications work fine with the database's default isolation level (typically READ_COMMITTED), but understanding when to use higher levels is crucial for building correct applications.

Concurrency Phenomena

Before diving into isolation levels, it's important to understand the three phenomena they prevent. Each represents a different way concurrent transactions can produce unexpected results:

PhenomenonDescription
Dirty ReadReading uncommitted changes from another transaction that might roll back
Non-Repeatable ReadReading the same row twice yields different values because another transaction modified it
Phantom ReadRe-executing a query returns new rows that another transaction inserted

READ_UNCOMMITTED

The lowest isolation level. Transactions can see uncommitted changes from other transactions, which means you might read data that will never actually be committed (dirty reads). This offers the highest concurrency but the weakest consistency guarantees.

The following timeline shows two concurrent transactions. Transaction A reads a user that Transaction B inserted but hasn't committed yet. When Transaction B rolls back, the data Transaction A read effectively never existed:

Time    Transaction A                   Transaction B
─────────────────────────────────────────────────────────────────────
t1 [BEGIN]
t2 [BEGIN]
t3 INSERT user ('Alice')
t4 SELECT → sees 'Alice' (not committed yet)
↑ dirty read!
t5 [ROLLBACK]
t6 SELECT → empty
↑ data disappeared!
t7 [COMMIT]

This level is rarely used in practice, but can be useful when you need approximate results and maximum performance:

transaction(isolation = READ_UNCOMMITTED) {
// Can see uncommitted changes - use with caution
val count = userRepository.count() // May include uncommitted rows
}

Use cases: Approximate counts for dashboards, monitoring queries, or any scenario where "close enough" is acceptable and performance matters more than accuracy.

Note: At READ_UNCOMMITTED and READ_COMMITTED isolation levels, Storm returns fresh data from the database on every read rather than cached instances. This ensures repeated reads see the latest database state. Dirty checking remains available at all isolation levels. Storm stores observed state for detecting changes even when not returning cached instances. See dirty checking for details.

READ_COMMITTED

Transactions only see data that has been committed. This prevents dirty reads: you will never see data that might be rolled back. However, if you read the same row twice, you might get different values if another transaction modified and committed it in between (non-repeatable read).

In this timeline, Transaction A reads a balance of 1000. While it's still running, Transaction B updates and commits a new balance. When Transaction A reads again, it sees the new value:

Time    Transaction A                   Transaction B
─────────────────────────────────────────────────────────────────────
t1 [BEGIN]
t2 SELECT balance → 1000
t3 [BEGIN]
t4 UPDATE balance = 500
t5 [COMMIT]
t6 SELECT balance → 500
↑ non-repeatable read!
t7 [COMMIT]

This is the default isolation level for most databases and applications. It provides a good balance between consistency and concurrency:

transaction(isolation = READ_COMMITTED) {
val user = userRepository.findById(id)

// Another transaction might modify the user here

val sameUser = userRepository.findById(id)
// sameUser might have different values than user
}

Use cases: The default choice for most applications. Suitable for operations where seeing the latest committed data is more important than having a consistent snapshot throughout the transaction.

Note: Storm's entity cache behavior varies by isolation level. At READ_COMMITTED, fresh data is fetched on each read. At REPEATABLE_READ and above, cached instances are returned for consistent entity identity.

REPEATABLE_READ

Guarantees that if you read a row once, subsequent reads return the same data, even if other transactions modify and commit changes to that row. The transaction works with a consistent snapshot taken at the start. However, phantom reads may still occur: new rows inserted by other transactions can appear in range queries.

This timeline shows Transaction A getting consistent results for the same row, even though Transaction B modified it. The snapshot isolation ensures Transaction A sees the value as of when it started:

Time    Transaction A                   Transaction B
─────────────────────────────────────────────────────────────────────
t1 [BEGIN]
t2 SELECT balance → 1000
t3 [BEGIN]
t4 UPDATE balance = 500
t5 [COMMIT]
t6 SELECT balance → 1000
↑ same value (snapshot)
t7 [COMMIT]

However, phantom reads can still occur with range queries. New rows that match the query criteria can appear between executions:

Time    Transaction A                   Transaction B
─────────────────────────────────────────────────────────────────────
t1 [BEGIN]
t2 SELECT pending orders → 3 rows
t3 [BEGIN]
t4 INSERT new pending order
t5 [COMMIT]
t6 SELECT pending orders → 4 rows
↑ phantom row!
t7 [COMMIT]

This level is useful when you need consistent reads throughout a transaction, such as generating reports or performing calculations that must be internally consistent:

transaction(isolation = REPEATABLE_READ) {
val user = userRepository.findById(id)

// Even if another transaction modifies this user and commits,
// we'll keep seeing the original values

processUser(user)

val sameUser = userRepository.findById(id)
// Guaranteed: user == sameUser
}

Use cases: Financial calculations, generating reports, audit trails, or any scenario where you need a stable view of the data throughout the transaction.

SERIALIZABLE

The highest isolation level. Transactions execute as if they were run one after another (serially), even though they may actually run concurrently. This prevents all concurrency phenomena, including phantom reads. The database achieves this through locking or optimistic concurrency control, which may cause transactions to block or fail and retry.

In this timeline, Transaction B's insert is blocked (or will fail on commit) because Transaction A has read the range of pending orders. This ensures Transaction A sees a consistent set of rows throughout:

Time    Transaction A                   Transaction B
─────────────────────────────────────────────────────────────────────
t1 [BEGIN]
t2 SELECT pending orders → 3 rows
t3 [BEGIN]
t4 INSERT new pending order
↑ BLOCKED (or fails on commit)
t5 SELECT pending orders → 3 rows
↑ no phantoms
t6 [COMMIT]
t7 ↑ now proceeds (or retries)
t8 [COMMIT]

Use this level when correctness is critical and you cannot tolerate any anomalies. Be prepared for lower throughput and potential retry logic for failed transactions:

transaction(isolation = SERIALIZABLE) {
// Check seat availability and book atomically
val availableSeats = seatRepository.findAvailable(flightId)

if (availableSeats.isNotEmpty()) {
// No other transaction can insert/modify seats for this flight
// until we commit, which prevents double-booking
seatRepository.book(availableSeats.first(), passengerId)
}
}

Use cases: Booking systems, inventory management, financial transfers, or any operation where race conditions could cause serious problems like double-booking or overselling.

Isolation Level Summary

LevelDirty ReadNon-Repeatable ReadPhantom ReadPerformance
READ_UNCOMMITTEDPossiblePossiblePossibleHighest
READ_COMMITTEDPreventedPossiblePossibleHigh
REPEATABLE_READPreventedPreventedPossible*Medium
SERIALIZABLEPreventedPreventedPreventedLowest

*Some databases (e.g., PostgreSQL, MySQL/InnoDB) also prevent phantom reads at REPEATABLE_READ using snapshot isolation.

Choosing an Isolation Level

Start with READ_COMMITTED (often the database default) and only increase isolation when you have a specific consistency requirement. Here's a guide for common scenarios:

Simple CRUD operations: Use READ_COMMITTED. Seeing the latest committed data is usually what you want:

transaction(isolation = READ_COMMITTED) {
userRepository.update(user)
}

Reports and calculations: Use REPEATABLE_READ when you need multiple queries to see a consistent snapshot. This ensures totals, counts, and details all reflect the same point in time:

transaction(isolation = REPEATABLE_READ) {
val total = orderRepository.sumByUser(userId)
val count = orderRepository.countByUser(userId)
val average = total / count // Safe: total and count are consistent
}

Critical operations with race conditions: Use SERIALIZABLE when concurrent transactions could cause problems like double-booking or overselling. The performance cost is worth the correctness guarantee:

transaction(isolation = SERIALIZABLE) {
val inventory = inventoryRepository.findByProduct(productId)
if (inventory.quantity >= requestedQuantity) {
// Without SERIALIZABLE, two concurrent transactions could both
// pass this check and oversell
inventoryRepository.decrease(productId, requestedQuantity)
orderRepository.create(order)
}
}

Transaction Timeout

Long-running transactions hold database locks and consume connection pool resources. Setting a timeout ensures that a stuck or unexpectedly slow transaction is automatically rolled back rather than blocking indefinitely. The timeout is measured from the start of the transaction block.

transaction(timeoutSeconds = 30) {
orm.removeAll<Visit>()
delay(35_000) // Will cause timeout
}

Read-Only Transactions

Marking a transaction as read-only allows the database to apply optimizations such as skipping write-ahead logging or acquiring lighter locks. This is a hint, not an enforcement mechanism; the database may or may not reject writes depending on the driver and database engine.

transaction(readOnly = true) {
// Hints to the database that no modifications will occur
val users = orm.findAll<User>()
}

Manual Rollback

Sometimes you need to abort a transaction based on a runtime condition rather than an exception. Calling setRollbackOnly() marks the transaction for rollback without throwing. The block continues executing, but the transaction rolls back when it completes instead of committing.

transaction {
orm.removeAll<Visit>()

if (someCondition) {
setRollbackOnly() // Mark for rollback
}
// Transaction will roll back instead of commit
}

Transaction Callbacks

Database transactions often need to trigger side effects, but only when the outcome is certain. Sending a confirmation email before the order is committed risks notifying a customer about an order that never persisted. Conversely, cleanup logic (releasing external locks, closing temporary resources) should run after a rollback, not during regular flow where it might mask the real failure.

Storm's onCommit and onRollback callbacks solve this by letting you register logic that fires after the physical transaction completes. Callbacks are registered inside the transaction block but execute outside it, once the outcome is final.

Basic Usage

Register callbacks anywhere inside a transaction or transactionBlocking block:

transaction {
val order = orderRepository.insert(newOrder)
inventoryRepository.decrease(order.productId, order.quantity)

onCommit {
// Only runs after the transaction has successfully committed.
// The order and inventory changes are durable at this point.
emailService.sendOrderConfirmation(order)
eventBus.publish(OrderCreatedEvent(order.id))
}

onRollback {
// Only runs after the transaction has rolled back.
// No changes were persisted.
metrics.increment("orders.failed")
}
}

Both variants work identically with transactionBlocking:

transactionBlocking {
cacheRepository.update(entry)

onCommit {
cache.invalidate(entry.key) // Evict stale cache entry only after new data is durable
}
}

When Callbacks Fire

Callbacks are deferred until the transaction outcome is determined. The following table summarizes the trigger conditions:

ScenarioonCommitonRollback
Block completes normallyFiresDoes not fire
Block throws an exceptionDoes not fireFires
setRollbackOnly() called, block completesDoes not fireFires
Transaction timeout expiresDoes not fireFires
Commit itself throws (e.g., constraint violation during flush)Does not fireFires

The key guarantee is that onCommit callbacks only execute when data is actually durable. If the commit itself fails for any reason, onCommit callbacks are skipped and onRollback callbacks run instead.

This timeline shows the execution order for a successful transaction:

[BEGIN]

insert(order)
onCommit { sendEmail() } ← registered, not yet executed
onRollback { logFailure() } ← registered, not yet executed

[COMMIT] ← transaction commits successfully

sendEmail() ← onCommit fires now
(onRollback is discarded)

And for a failed transaction:

[BEGIN]

insert(order)
onCommit { sendEmail() } ← registered, not yet executed
onRollback { logFailure() } ← registered, not yet executed

decreaseInventory()

✗ exception thrown

[ROLLBACK] ← transaction rolls back

logFailure() ← onRollback fires now
(onCommit is discarded)

Multiple Callbacks and Ordering

You can register any number of callbacks. They execute in registration order, which makes it straightforward to reason about sequencing when multiple components register their own callbacks:

transaction {
val user = userRepository.insert(newUser)
val profile = profileRepository.insert(Profile(userId = user.id))

onCommit { searchIndex.addUser(user) } // 1st
onCommit { cache.warm(user.id) } // 2nd
onCommit { eventBus.publish(UserCreated(user)) } // 3rd
}
// After commit: searchIndex → cache → eventBus, in that order

Exception Handling in Callbacks

If a callback throws, the remaining callbacks still execute. This prevents one failing callback from silently skipping others. The first exception is surfaced to the caller; any subsequent exceptions are attached as suppressed:

transaction {
orderRepository.insert(order)

onCommit { throw RuntimeException("email failed") } // throws, but...
onCommit { cache.invalidate(order.productId) } // ...still executes
}
// Caller sees RuntimeException("email failed")
// cache.invalidate() ran successfully

When the transaction itself fails and a rollback callback also throws, the callback exception is added as suppressed to the original transaction exception:

try {
transaction {
onRollback { throw RuntimeException("cleanup failed") }
throw IllegalStateException("business error")
}
} catch (e: IllegalStateException) {
// e.message == "business error" ← primary exception
// e.suppressed[0].message == "cleanup failed" ← callback exception
}

This design ensures that the root cause of a failure is never masked by callback errors.

Propagation Interaction

Callbacks are tied to the physical transaction, not the logical scope. This distinction matters when nesting transactions with different propagation modes.

Joining propagations (REQUIRED, NESTED, SUPPORTS, MANDATORY): Callbacks registered in an inner scope are deferred to the outer physical transaction. They fire when the outermost transaction commits or rolls back. This is the correct behavior, because in a joined transaction, the inner scope's changes are not durable until the outer transaction commits.

[BEGIN outer]

insert(user)

┌─ transaction(REQUIRED) ──────────────────────┐
│ insert(order) │
│ onCommit { notify(order) } ← deferred │
└──────────────────────────────────────────────┘

insert(payment)
onCommit { sendReceipt() } ← also deferred

[COMMIT outer]

notify(order) ← inner callback fires now
sendReceipt() ← outer callback fires now

A practical example: the inner service registers a callback, but it only fires when the outer transaction actually commits. If the outer transaction rolls back, the inner callback is discarded along with it:

// Outer transaction
transaction {
userRepository.insert(user)

// Inner REQUIRED: joins the outer transaction
transaction(propagation = REQUIRED) {
orderRepository.insert(order)
onCommit { eventBus.publish(OrderCreated(order.id)) }
}
// At this point, the inner onCommit has NOT fired yet.
// The order is not yet durable.

paymentRepository.insert(payment)
}
// NOW the outer commits, and the inner's onCommit fires.

If the outer transaction rolls back (explicitly or via exception), the inner callback never fires:

transaction {
transaction(propagation = REQUIRED) {
orderRepository.insert(order)
onCommit { eventBus.publish(OrderCreated(order.id)) }
}

setRollbackOnly() // Outer rolls back everything
}
// onCommit never fires. The order was never durable.

REQUIRES_NEW: Creates an independent physical transaction. Callbacks registered in the inner scope fire when the inner transaction completes, regardless of the outer transaction's outcome:

[BEGIN outer]

insert(user)

~~~ outer suspended ~~~

[BEGIN inner]

insert(audit_log)
onCommit { notify() }

[COMMIT inner]

notify() ← fires immediately, inner is committed

~~~ outer resumed ~~~

[ROLLBACK outer] ← does not affect inner's callbacks

This is especially useful for audit logging or event publishing that must survive regardless of the outer outcome:

transaction {
userRepository.insert(user)

transaction(propagation = REQUIRES_NEW) {
auditRepository.insert(AuditLog("User creation attempted"))
onCommit { auditMetrics.increment("audit.committed") }
}
// Inner onCommit has already fired here.

setRollbackOnly() // Outer rolls back, but audit is committed and notified
}

NESTED (savepoint): Shares the outer physical transaction. Even though the nested scope can roll back independently (to the savepoint), callbacks are deferred to the outer transaction. This is because savepoint changes only become durable when the outer transaction commits:

[BEGIN outer]

insert(order)

[SAVEPOINT]

insert(discount)
onCommit { notify() } ← deferred to outer

[RELEASE SAVEPOINT]

[COMMIT outer]

notify() ← fires now

The following table summarizes callback behavior across propagation modes:

PropagationCallback scopeWhen callbacks fire
REQUIREDDeferred to outerWhen outermost transaction commits/rolls back
REQUIRES_NEWOwn scopeWhen inner transaction commits/rolls back
NESTEDDeferred to outerWhen outermost transaction commits/rolls back
SUPPORTSDeferred to outer (if tx exists)When outermost transaction commits/rolls back
MANDATORYDeferred to outerWhen outermost transaction commits/rolls back
NOT_SUPPORTEDOwn scopeWhen inner block completes/throws
NEVEROwn scopeWhen inner block completes/throws

Common Patterns

Cache invalidation after write:

transaction {
val updatedProduct = productRepository.update(product)

onCommit {
// Only evict after the update is durable.
// Evicting before commit risks serving stale data from the database
// while the cache is empty and the transaction hasn't committed yet.
productCache.evict(updatedProduct.id)
}
}

Event publishing:

transaction {
val savedOrder = orderRepository.insert(order)
paymentRepository.insert(Payment(orderId = savedOrder.id, amount = total))

onCommit {
// Publish domain events only after all writes are durable.
// Subscribers can safely query the database for the new data.
eventBus.publish(OrderPlacedEvent(savedOrder.id, total))
}

onRollback {
// Track failed order attempts for monitoring
metrics.increment("orders.failed")
logger.warn("Order placement rolled back for customer ${order.customerId}")
}
}

Releasing external resources:

transaction {
val lockToken = distributedLock.acquire("import-job")

onCommit {
distributedLock.release(lockToken)
}

onRollback {
distributedLock.release(lockToken)
cleanupPartialImport()
}

importService.runImport(data)
}

Global Transaction Options

Set defaults for all transactions:

setGlobalTransactionOptions(
propagation = REQUIRED,
isolation = null, // Use database default
timeoutSeconds = null,
readOnly = false
)

Scoped Transaction Options

When you need different transaction settings for a specific section of code without changing global defaults, use scoped options. All transactions created within the scope inherit the overridden settings. This is useful for test harnesses, batch processing regions, or any bounded context that needs distinct transaction behavior.

withTransactionOptions(timeoutSeconds = 60) {
transaction {
// Uses 60 second timeout
orm.removeAll<Visit>()
}
}

withTransactionOptionsBlocking(isolation = SERIALIZABLE) {
transactionBlocking {
// Uses SERIALIZABLE isolation
orm.removeAll<Visit>()
}
}

Spring-Managed Transactions

While Storm's programmatic transaction API works standalone, many applications use Spring's transaction management for its declarative @Transactional support and integration with other Spring components. Storm integrates seamlessly with Spring's transaction management.

When @EnableTransactionIntegration is configured, Storm's programmatic transaction blocks automatically detect and participate in Spring-managed transactions. This gives you the best of both worlds: Spring's declarative transaction boundaries with Storm's coroutine-friendly transaction blocks.

Configuration

Enable Spring integration in your configuration class:

@EnableTransactionIntegration
@Configuration
class ORMConfiguration(private val dataSource: DataSource) {
@Bean
fun ormTemplate() = ORMTemplate.of(dataSource)
}

Combining Declarative and Programmatic Transactions

You can use Spring's @Transactional annotation alongside Storm's programmatic transaction blocks. Storm will join the existing Spring transaction:

@Service
class UserService(private val orm: ORMTemplate) {

@Transactional
suspend fun createUserWithOrders(user: User, orders: List<Order>) {
// Spring starts the transaction

transaction {
// Storm joins the Spring transaction (REQUIRED propagation by default)
orm insert user
}

transaction {
// Still in the same Spring transaction
orders.forEach { orm insert it }
}

// Spring commits when the method returns successfully
}
}

Propagation Interaction

Storm's propagation modes work with Spring transactions:

@Transactional
suspend fun processWithAudit(user: User) {
transaction {
orm insert user
}

// REQUIRES_NEW creates an independent transaction, even within Spring's transaction
transaction(propagation = REQUIRES_NEW) {
auditRepository.log("User created: ${user.id}")
// Commits independently - audit survives even if outer transaction rolls back
}
}

Suspend Functions with @Transactional

For suspend functions, use Spring's @Transactional with the coroutine-aware transaction manager:

@Configuration
@EnableTransactionManagement
class TransactionConfig {
@Bean
fun transactionManager(dataSource: DataSource): ReactiveTransactionManager {
return DataSourceTransactionManager(dataSource)
}
}

@Service
class OrderService(private val orm: ORMTemplate) {

@Transactional
suspend fun placeOrder(order: Order): Order {
val savedOrder = orm insert order

// Can switch dispatchers while staying in the same transaction
withContext(Dispatchers.Default) {
calculateLoyaltyPoints(savedOrder)
}

return savedOrder
}
}

Using Storm Without @Transactional

You can also use Storm's programmatic transactions without Spring's @Transactional. Storm manages the transaction lifecycle directly:

@Service
class UserService(private val orm: ORMTemplate) {

// No @Transactional needed - Storm handles it
suspend fun createUser(user: User): User {
return transaction {
orm insert user
}
}

// Explicit propagation and isolation
suspend fun transferFunds(from: Account, to: Account, amount: BigDecimal) {
transaction(
propagation = REQUIRED,
isolation = SERIALIZABLE
) {
accountRepository.debit(from, amount)
accountRepository.credit(to, amount)
}
}
}

Important Notes

Understanding these nuances helps avoid common pitfalls when working with transactions.

Concurrency

Launching concurrent work inside a transaction using async, launch, or other parallel coroutine builders is not supported. Database transactions are bound to the calling thread/coroutine. Use sequential operations or split work into separate transactions if parallelism is required.

RollbackOnly Semantics

  • In NESTED propagation: rolls back to the savepoint, preserving outer transaction's work
  • In REQUIRED or REQUIRES_NEW: affects the entire transaction scope

Context Switching (Kotlin)

Within any transactional scope, you can switch dispatchers (e.g., withContext(Dispatchers.Default)) and still access the same active transaction. This allows offloading CPU-bound work without breaking transactional context.