Skip to content

teras/stormify

Repository files navigation

Stormify Logo

Stormify

Maven Central License Kotlin Platforms

Stormify is a flexible ORM library for Kotlin Multiplatform that simplifies database interactions with minimal configuration. It operates and performs CRUD operations on plain Kotlin classes without requiring extensive annotations or XML setups, as long as field names match database columns.

Designed for developers seeking a simple yet powerful ORM, Stormify excels in projects that favor convention over configuration, allowing for minimal setup and clean, straightforward code.

Website   Docs   API

Features

  • Kotlin Multiplatform: JVM (Java & Kotlin), Android, Linux (x64 & ARM64), Windows (x64), macOS, and iOS — same API across all platforms.
  • Native Database Access: Direct access to PostgreSQL, MariaDB/MySQL, Oracle, MSSQL, and SQLite on Linux, Windows, and macOS without JVM or JDBC.
  • Android Support: Full ORM on Android's built-in SQLite, with compile-time entity metadata via annotation processing.
  • iOS Support: SQLite-based ORM on iOS devices and simulators.
  • CRUD Operations: Easily create, read, update, and delete records, with batch variants for bulk operations.
  • Annotation-Free Classes: Perform operations with plain Kotlin classes without the need for extensive annotations or XML files.
  • Fine or Coarse Grain Definitions: Define naming policies and primary key resolvers for standard naming patterns, or use annotations to handle special cases.
  • JPA Compatibility: Support common JPA annotations to maintain compatibility and simplify integration.
  • Flexible Query Execution: Execute custom and complex SQL queries and map results to Kotlin objects, with automatic collection parameter expansion for IN clauses.
  • Transaction Management: Support for nested transactions with rollback and commit capabilities via savepoints.
  • Coroutines: Suspend-based transaction API with a built-in connection pool, coroutine cancellation wired to native database cancel primitives.
  • Enum Properties: Enum fields stored as integers or strings, with support for custom mappings.
  • Lazy Loading: Reference fields with by db() delegates for automatic lazy loading of related entities.
  • Paginated Views: PagedList<T> for UI grids (ZK/Compose/Swing) and PagedQuery<T> for stateless REST endpoints — filters, sorting, FK traversal, aggregations, facet counts, and streaming iteration over very large result sets.
  • Stored Procedures: Call stored procedures with input, output, and bidirectional parameters.
  • Support for Composite Keys: Handle tables with composite primary keys effortlessly.

Requirements

  • JVM: Java 11 or later (Stormify is built with a Java 11 toolchain).
  • Android: minimum API 21 (Android 5.0).
  • Native: glibc 2.31+ on Linux, macOS 11+, iOS 14+, Windows 10+.

Installation

Maven

<dependency>
    <groupId>onl.ycode</groupId>
    <artifactId>stormify-jvm</artifactId>
    <version>2.1.1</version>
</dependency>

Gradle (JVM)

implementation("onl.ycode:stormify-jvm:2.1.1")
ksp("onl.ycode:annproc:2.1.1")              // optional on JVM

Gradle (Android)

implementation("onl.ycode:stormify-android:2.1.1")
ksp("onl.ycode:annproc:2.1.1")              // required on Android

Gradle (Native)

// Pick the artifact for your target platform:
implementation("onl.ycode:stormify-linuxx64:2.1.1")        // Linux x64
implementation("onl.ycode:stormify-linuxarm64:2.1.1")      // Linux ARM64
implementation("onl.ycode:stormify-mingwx64:2.1.1")        // Windows x64
implementation("onl.ycode:stormify-macosarm64:2.1.1")      // macOS (Apple Silicon)
implementation("onl.ycode:stormify-macosx64:2.1.1")        // macOS (Intel)
implementation("onl.ycode:stormify-iosarm64:2.1.1")        // iOS (device)
implementation("onl.ycode:stormify-iossimulatorarm64:2.1.1") // iOS simulator (Apple Silicon)
implementation("onl.ycode:stormify-iosx64:2.1.1")          // iOS simulator (Intel Mac)
ksp("onl.ycode:annproc:2.1.1")                             // required (no reflection on native)

Supported native databases: PostgreSQL, MariaDB/MySQL, Oracle, MSSQL, SQLite. On iOS, only SQLite is available.

Entity metadata: On JVM, entity metadata is discovered at runtime via kotlin-reflect (included as a transitive dependency). On Native/Android/iOS, use the annproc annotation processor (via KSP) to generate it at compile time. On JVM, annproc is optional but improves startup time and allows excluding kotlin-reflect. When using annproc, pass the generated registrar to the constructor:

val stormify = Stormify(dataSource, GeneratedEntities)

Upgrading from V1? See the V1 to V2 migration guide.

Basic Usage

Configure Your Database

Stormify works with any JDBC DataSource. The examples below use HikariCP, but any connection pool or plain driver will work.

Kotlin (JVM):

val config = HikariConfig("databaseConfig.properties")
val dataSource = HikariDataSource(config)
val stormify = Stormify(dataSource)

Java:

HikariConfig config = new HikariConfig("databaseConfig.properties");
HikariDataSource dataSource = new HikariDataSource(config);
StormifyJ stormify = new StormifyJ(dataSource);

Android:

val db = context.openOrCreateDatabase("mydb.db", Context.MODE_PRIVATE, null)
val stormify = Stormify(db)

Native:

val ds = KdbcDataSource("jdbc:postgresql://localhost:5432/mydb", "user", "pass")
val stormify = Stormify(ds)

Creating an Entity Class

Define a simple Kotlin class. The library automatically maps fields based on their names. For a table CREATE TABLE test (id INT PRIMARY KEY, name VARCHAR(255)):

@DbTable("test")  // optional on JVM — class name is used by default
data class Test(
    @DbField(primaryKey = true)
    var id: Int = 0,
    var name: String = ""
)

Mark primary keys with @DbField(primaryKey = true), or register a primary key resolver to detect them by naming convention.

Performing CRUD Operations

// Create
val record = stormify.create(Test(id = 1, name = "Test Entry"))

// Read
val results = stormify.read<Test>("SELECT * FROM test")

// Update
record.name = "Updated Entry"
stormify.update(record)

// Delete
stormify.delete(record)

Using Transactions

Kotlin:

stormify.transaction {
    val user = create(User(email = "test@example.com"))
    create(Profile(userId = user.id, name = "Test User"))
    update(account)
}

Java:

stormify.transaction(tx -> {
    User user = tx.create(new User("test@example.com"));
    tx.create(new Profile(user.getId(), "Test User"));
    tx.update(account);
});

Advanced Queries

// Query with parameters
val users = stormify.read<User>("SELECT * FROM users WHERE age > ?", 25)

// Single result
val user = stormify.readOne<User>("SELECT * FROM users WHERE id = ?", 1)

// Find by ID
val user = stormify.findById<User>(1)

Examples

Runnable example projects live in a separate repository: stormify-examples. They cover JVM (Kotlin & Java), Android, iOS, Kotlin/Native (Linux, Windows, macOS), and Kotlin Multiplatform.

Clone them standalone:

git clone -b 2.1.1 https://github.com/teras/stormify-examples.git

Or pull them directly inside this repo as a submodule:

git submodule update --init --recursive

Each subfolder is a self-contained project with its own README.md explaining how to build and run it. See the Examples overview for a short description of each.

How Stormify stacks up

A quick side-by-side against common Kotlin and Java ORMs. See the full comparison for reflection behaviour, compile-time metadata, narrative context, and when to pick each.

Stormify Exposed Ktorm Komapper SQLDelight Hibernate
Multiplatform · JVM + Android + native + iOS JVM + Android JVM JVM JVM
Native DB drivers · no JDBC required SQLite only
Facet-aware paged queries, built-in
Any class as entity
Accepts JPA annotations
Suspend / coroutines API
Lazy reference delegates DAO only eager only
Stored procedures (in/out/inout) manual manual

Documentation

Full documentation is available at stormify.org/docs.

Contributing

Contributions are welcome! Please check the Contributing guide for instructions on how to get involved, report issues, or submit pull requests.

License

Stormify is licensed under the Apache License 2.0. You are free to use, modify, and distribute this library in accordance with the terms of the license.


Enjoy using Stormify? Please star this repository to show your support!

About

Kotlin Multiplatform ORM for JVM, Android, iOS, and native Linux/Windows/macOS — with direct access to PostgreSQL, MariaDB/MySQL, Oracle, MSSQL, and SQLite

Resources

License

Security policy

Stars

Watchers

Forks

Packages