Skip to main content
Version: 1.9.1

Repositories

Entity repositories provide a high-level abstraction for managing entities in the database. They offer methods for creating, reading, updating, and deleting entities, as well as querying and filtering based on specific criteria.


Getting a Repository

Storm provides two ways to obtain a repository. The generic entity() method returns a built-in repository with standard CRUD operations. For custom query methods, define your own interface extending EntityRepository and retrieve it with repository() (covered below in Custom Repositories).

val orm = ORMTemplate.of(dataSource)

// Generic entity repository
val userRepository = orm.entity(User::class)

// Or using extension function
val userRepository = orm.entity<User>()

Basic CRUD Operations

All CRUD operations use the entity's primary key (marked with @PK) for identity. Insert returns the entity with any database-generated fields populated (such as auto-increment IDs). Update and delete match by primary key. Query methods accept metamodel-based filter expressions that compile to parameterized WHERE clauses.

// Create
val user = orm insert User(
email = "alice@example.com",
name = "Alice",
birthDate = LocalDate.of(1990, 5, 15)
)

// Read
val found: User? = orm.find { User_.id eq user.id }
val all: List<User> = orm.findAll { User_.city eq city }

// Update
orm update user.copy(name = "Alice Johnson")

// Delete
orm delete user

// Delete by condition
orm.delete<User> { User_.city eq city }

// Delete all
orm.deleteAll<User>()

// Delete all (builder approach, requires unsafe() to confirm intent)
orm.entity(User::class).delete().unsafe().executeUpdate()
Safety Check

Storm rejects DELETE and UPDATE queries that have no WHERE clause, throwing a PersistenceException. This prevents accidental bulk deletions, which is especially important because QueryBuilder is immutable and a lost where() return value would silently drop the filter. Call unsafe() to opt out of this check when you intentionally want to affect all rows. The deleteAll() convenience method calls unsafe() internally.

Storm uses dirty checking to determine which columns to include in the UPDATE statement. See Dirty Checking for configuration details.


Streaming

For result sets that may be large, streaming avoids loading all rows into memory at once. Kotlin's Flow provides automatic resource management through structured concurrency: the underlying database cursor and connection are released when the flow completes or is cancelled, without requiring explicit cleanup.

val users: Flow<User> = userRepository.selectAll()
val count = users.count()

// Collect to list
val userList: List<User> = users.toList()

Unique Key Lookups

When a field is annotated with @UK, the metamodel generates a Metamodel.Key instance that enables type-safe single-result lookups:

val user: User? = userRepository.findBy(User_.email, "alice@example.com")
val user: User = userRepository.getBy(User_.email, "alice@example.com") // throws if not found

Since @PK implies @UK, primary key fields also work with findBy and getBy.

Entities loaded within a transaction are cached. See Entity Cache for details.


Keyset Pagination

Repositories provide convenience methods for keyset-based pagination, where a unique column value (typically the primary key) acts as a cursor. This approach avoids the performance issues of OFFSET on large tables, because the database can seek directly to the cursor position using an index rather than scanning and discarding skipped rows.

The key parameter must be a Metamodel.Key, which is generated for fields annotated with @UK or @PK. See Metamodel for details.

The three methods map to the three paging operations you need:

  • slice(key, size) fetches the first page, ordered by the key in ascending order.
  • sliceAfter(key, cursor, size) fetches the next page after a cursor value.
  • sliceBefore(key, cursor, size) fetches the previous page before a cursor value.

Each returns a Slice<E> containing the page content and a hasNext flag that tells you whether more results exist beyond the current page.

// First page of 20 users ordered by ID
val page1: Slice<User> = userRepository.slice(User_.id, 20)

// Next page, using the last ID as cursor
val page2: Slice<User> = userRepository.sliceAfter(User_.id, page1.content.last().id, 20)

// Previous page before a known cursor
val prev: Slice<User> = userRepository.sliceBefore(User_.id, someId, 20)

All three methods accept an optional trailing-lambda predicate for filtering, following the same pattern as findAll. The filter is combined with the keyset condition using AND, so you can paginate over a subset of rows without dropping down to the query builder.

val activePage = userRepository.slice(User_.id, 20) { User_.active eq true }
val nextActive = userRepository.sliceAfter(User_.id, lastId, 20) { User_.active eq true }

Ref variants (sliceRef, sliceAfterRef, sliceBeforeRef) load only primary keys, returning a Slice<Ref<E>>. This is useful when you need identifiers for a subsequent batch operation without the overhead of fetching full entities.

val refPage: Slice<Ref<User>> = userRepository.sliceRef(User_.id, 20)

Note that the slice methods handle ordering internally based on the key you provide, so you should not combine them with an explicit orderBy() call on the query builder. Also note that sliceBefore returns results in descending key order; reverse the list if you need ascending order for display.

Keyset Pagination with Sort

When you need to sort by a non-unique column (for example, a date or status), use the overloads that accept a separate sort column. These accept a sort column for the primary sort order and a key column (typically the primary key) as a unique tiebreaker to guarantee deterministic paging even when sort values repeat.

// First page sorted by creation date, with ID as tiebreaker
val page1: Slice<Post> = postRepository.slice(Post_.createdAt, Post_.id, 20)

// Next page: pass both cursor values from the last item
val last = page1.content.last()
val page2: Slice<Post> = postRepository.sliceAfter(
Post_.createdAt, last.createdAt,
Post_.id, last.id,
20
)

// With filter
val activePage: Slice<Post> = postRepository.slice(Post_.createdAt, Post_.id, 20) {
Post_.active eq true
}

The client is responsible for extracting both cursor values from the last (or first) item of the current page and passing them to the next request.

For queries that need joins, projections, or more complex filtering, use the query builder and call slice as a terminal operation. See Queries for the full details on how keyset pagination composes with WHERE and ORDER BY clauses, including indexing recommendations.


Refs

Refs are lightweight identifiers that carry only the record type and primary key. Selecting refs instead of full entities reduces memory usage and network bandwidth when you only need IDs for subsequent operations, such as batch lookups or filtering. See Refs for a detailed discussion.

// Select refs (lightweight identifiers)
val refs: Flow<Ref<User>> = userRepository.selectAllRef()

// Select by refs
val users: Flow<User> = userRepository.selectByRef(refs)

Custom Repositories

Custom repositories let you encapsulate domain-specific queries behind a typed interface. Define an interface that extends EntityRepository, add methods with default implementations that use the inherited query API, and retrieve it from orm.repository(). This keeps query logic in a single place and makes it testable through interface substitution.

The advantage over using the generic entity() repository is that custom methods express domain intent (e.g., findByEmail) rather than exposing raw query construction to callers.

interface UserRepository : EntityRepository<User, Int> {

// Custom query method
fun findByEmail(email: String): User? =
find { User_.email eq email }

// Custom query with multiple conditions
fun findByNameInCity(name: String, city: City): List<User> =
findAll((User_.city eq city) and (User_.name eq name))
}

Get the repository:

val userRepository: UserRepository = orm.repository<UserRepository>()

Repository with Spring

Repositories can be injected using Spring's dependency injection:

@Service
class UserService(
private val userRepository: UserRepository
) {
fun findUser(email: String): User? =
userRepository.findByEmail(email)
}

Spring Configuration

Storm repositories are plain interfaces, so Spring cannot discover them through component scanning. The RepositoryBeanFactoryPostProcessor bridges this gap by scanning specified packages for interfaces that extend EntityRepository or ProjectionRepository and registering proxy implementations as Spring beans. Once registered, you can inject repositories through standard constructor injection. See Spring Integration for full configuration details.

@Configuration
class AcmeRepositoryBeanFactoryPostProcessor : RepositoryBeanFactoryPostProcessor() {

override val repositoryBasePackages: Array<String>
get() = arrayOf("com.acme.repository")
}

Tips

  1. Use custom repositories. Encapsulate domain-specific queries in repository interfaces.
  2. Close streams. Always close Stream results to release database resources.
  3. Prefer Kotlin Flow. Kotlin's Flow automatically handles resource cleanup.
  4. Use Spring injection. Let Spring manage repository lifecycle for cleaner code.