SkillAgentSearch skills...

Prax

šŸ¦€ Type-safe, async-first ORM for Rust. Prisma-like schema, fluent queries, multi-database support.

Install / Use

/learn @pegasusheavy/Prax

README

Prax ORM

<p align="center"> <strong>A next-generation, type-safe ORM for Rust</strong> </p> <p align="center"> <a href="https://crates.io/crates/prax-orm"><img src="https://img.shields.io/crates/v/prax-orm.svg" alt="crates.io"></a> <a href="https://docs.rs/prax-orm"><img src="https://docs.rs/prax-orm/badge.svg" alt="docs.rs"></a> <a href="https://github.com/pegasusheavy/prax-orm/actions"><img src="https://github.com/pegasusheavy/prax-orm/workflows/CI/badge.svg" alt="CI"></a> <img src="https://img.shields.io/badge/rust-1.89%2B-blue.svg" alt="Rust 1.89+"> <a href="#license"><img src="https://img.shields.io/badge/license-MIT%2FApache--2.0-blue.svg" alt="License"></a> </p> <p align="center"> <a href="#features">Features</a> • <a href="#installation">Installation</a> • <a href="#quick-start">Quick Start</a> • <a href="#documentation">Documentation</a> • <a href="#license">License</a> </p>

Prax ORM is a modern, Prisma-inspired ORM for Rust with first-class async support. Built on top of tokio-postgres, sqlx, and other async database clients, Prax provides a type-safe, ergonomic API for database operations with compile-time guarantees.

āš ļø Work in Progress - Prax is currently under active development. See TODO.md for the implementation roadmap.

Features

  • šŸ”’ Type-Safe Queries - Compile-time checked queries with zero runtime overhead
  • ⚔ Async-First - Built on Tokio for high-performance async I/O
  • šŸŽÆ Fluent API - Intuitive query builder with method chaining
  • šŸ”— Relations - Eager and lazy loading with include and select
  • šŸ“¦ Migrations - Schema diffing, SQL generation, and migration tracking
  • šŸ› ļø Code Generation - Proc-macros for compile-time model generation
  • šŸ—„ļø Multi-Database - PostgreSQL, MySQL, SQLite, MSSQL, MongoDB, DuckDB, ScyllaDB
  • 🧠 Vector Search - pgvector integration for AI/ML embeddings and similarity search
  • šŸ”Œ Framework Integration - First-class support for Armature, Axum, and Actix-web
  • šŸ¢ Multi-Tenancy - Row-level security, schema-based, and database-based isolation
  • šŸ“„ Schema Import - Migrate from Prisma, Diesel, or SeaORM

Installation

Add Prax ORM to your Cargo.toml:

[dependencies]
prax-orm = "0.6"
tokio = { version = "1", features = ["full"] }

For specific database backends:

# PostgreSQL (default)
prax-orm = { version = "0.6", features = ["postgres"] }

# MySQL
prax-orm = { version = "0.6", features = ["mysql"] }

# SQLite
prax-orm = { version = "0.6", features = ["sqlite"] }

# MSSQL
prax-mssql = "0.6"

# MongoDB
prax-mongodb = "0.6"

# DuckDB (analytics)
prax-duckdb = "0.6"

# ScyllaDB (high-performance Cassandra-compatible)
prax-scylladb = "0.6"

# pgvector (AI/ML vector search)
prax-pgvector = "0.6"

# Armature framework integration
prax-armature = "0.6"

Quick Start

Define Your Models

use prax::prelude::*;

#[derive(Model)]
#[prax(table = "users")]
pub struct User {
    #[prax(id, auto_increment)]
    pub id: i32,

    #[prax(unique)]
    pub email: String,

    pub name: Option<String>,

    #[prax(default = "now()")]
    pub created_at: DateTime<Utc>,

    #[prax(relation(has_many))]
    pub posts: Vec<Post>,
}

#[derive(Model)]
#[prax(table = "posts")]
pub struct Post {
    #[prax(id, auto_increment)]
    pub id: i32,

    pub title: String,

    pub content: String,

    #[prax(relation(belongs_to))]
    pub author: User,

    pub author_id: i32,
}

Connect and Query

use prax::prelude::*;

#[tokio::main]
async fn main() -> Result<(), prax::Error> {
    // Connect to database
    let client = PraxClient::new("postgresql://localhost/mydb").await?;

    // Find many with filtering and relations
    let users = client
        .user()
        .find_many()
        .where(user::email::contains("@example.com"))
        .include(user::posts::fetch())
        .order_by(user::created_at::desc())
        .take(10)
        .exec()
        .await?;

    // Create a new user
    let user = client
        .user()
        .create(user::Create {
            email: "hello@example.com".into(),
            name: Some("Alice".into()),
            ..Default::default()
        })
        .exec()
        .await?;

    // Update with filtering
    let updated = client
        .user()
        .update_many()
        .where(user::created_at::lt(Utc::now() - Duration::days(30)))
        .data(user::Update {
            name: Some("Inactive User".into()),
            ..Default::default()
        })
        .exec()
        .await?;

    // Transactions
    client
        .transaction(|tx| async move {
            let user = tx.user().create(/* ... */).exec().await?;
            tx.post().create(/* ... */).exec().await?;
            Ok(())
        })
        .await?;

    Ok(())
}

Armature Framework Integration

Prax integrates seamlessly with Armature, providing dependency injection support:

use armature::prelude::*;
use prax_armature::PraxModule;

#[module_impl]
impl DatabaseModule {
    #[provider(singleton)]
    async fn prax_client() -> Arc<PraxClient> {
        Arc::new(
            PraxClient::new("postgresql://localhost/mydb")
                .await
                .expect("Database connection failed")
        )
    }
}

#[controller("/users")]
impl UserController {
    #[get("/")]
    async fn list(
        &self,
        #[inject] db: Arc<PraxClient>,
    ) -> Result<Json<Vec<User>>, HttpError> {
        let users = db.user().find_many().exec().await?;
        Ok(Json(users))
    }
}

Query Operations

Filtering

// Equals
user::email::equals("alice@example.com")

// Contains, starts with, ends with
user::name::contains("alice")
user::email::starts_with("admin")
user::email::ends_with("@company.com")

// Comparisons
user::age::gt(18)
user::age::gte(21)
user::age::lt(65)
user::created_at::lte(Utc::now())

// Logical operators
and![
    user::age::gte(18),
    user::status::equals("active")
]

or![
    user::role::equals("admin"),
    user::role::equals("moderator")
]

not!(user::banned::equals(true))

// Nested relation filters
user::posts::some(post::published::equals(true))

Pagination

// Offset-based
client.user().find_many().skip(20).take(10).exec().await?;

// Cursor-based
client.user().find_many().cursor(user::id::equals(100)).take(10).exec().await?;

Aggregations

let count = client.user().count().exec().await?;

let stats = client
    .post()
    .aggregate()
    .count()
    .avg(post::views)
    .sum(post::likes)
    .exec()
    .await?;

let grouped = client
    .user()
    .group_by(user::country)
    .count()
    .exec()
    .await?;

Vector Similarity Search (pgvector)

use prax_pgvector::prelude::*;

// Create an embedding from your ML model output
let query = Embedding::new(vec![0.1, 0.2, 0.3, /* ... */]);

// Find the 10 most similar documents
let search = VectorSearchBuilder::new("documents", "embedding")
    .query(query)
    .metric(DistanceMetric::Cosine)
    .limit(10)
    .build();

// Hybrid search: combine vector similarity with full-text search
let hybrid = HybridSearchBuilder::new("documents")
    .vector_column("embedding")
    .text_column("body")
    .query_vector(Embedding::new(vec![0.1, 0.2, 0.3]))
    .query_text("machine learning")
    .vector_weight(0.7)
    .text_weight(0.3)
    .limit(10)
    .build();

// Manage HNSW indexes
let index = VectorIndex::hnsw("idx_doc_embedding", "documents", "embedding")
    .metric(DistanceMetric::Cosine)
    .config(HnswConfig::high_recall())
    .concurrent()
    .build()?;

Architecture

Prax ORM is organized as a workspace of focused crates:

prax-orm/
ā”œā”€ā”€ prax-schema/         # Schema parser and AST
ā”œā”€ā”€ prax-codegen/        # Proc-macro crate for code generation
ā”œā”€ā”€ prax-query/          # Query builder + optimizations
ā”œā”€ā”€ prax-postgres/       # PostgreSQL (tokio-postgres) engine
ā”œā”€ā”€ prax-mysql/          # MySQL (mysql_async) engine
ā”œā”€ā”€ prax-sqlite/         # SQLite (rusqlite) engine
ā”œā”€ā”€ prax-mssql/          # MSSQL (tiberius) engine
ā”œā”€ā”€ prax-mongodb/        # MongoDB engine
ā”œā”€ā”€ prax-duckdb/         # DuckDB analytical engine
ā”œā”€ā”€ prax-scylladb/       # ScyllaDB (Cassandra-compatible) engine
ā”œā”€ā”€ prax-pgvector/       # pgvector integration (embeddings, vector search)
ā”œā”€ā”€ prax-sqlx/           # SQLx backend with compile-time checks
ā”œā”€ā”€ prax-migrate/        # Migration engine
ā”œā”€ā”€ prax-import/         # Import from Prisma/Diesel/SeaORM
ā”œā”€ā”€ prax-cli/            # CLI tool (prax-orm-cli)
ā”œā”€ā”€ prax-armature/       # Armature framework integration
ā”œā”€ā”€ prax-axum/           # Axum framework integration
ā”œā”€ā”€ prax-actix/          # Actix-web framework integration
└── src/                 # Main crate (prax-orm) re-exporting everything

CLI

Prax ORM includes a CLI for schema management and migrations:

# Install the CLI
cargo install prax-orm-cli

# Initialize a new Prax project
prax init

# Generate client from schema
prax generate

# Create a migration
prax migrate dev --name add_users_table

# Apply migrations
prax migrate deploy

# Reset database
prax migrate reset

# Introspect existing database
prax db pull

Comparison

| Feature | Prax ORM | Diesel | SeaORM | SQLx | |---------|----------|--------|--------|------| | Async Support | āœ… | āŒ | āœ… | āœ… | | Type-Safe Queries | āœ… | āœ… | āœ… | āœ… | | Schema DSL | āœ… | āŒ | āŒ | āŒ | | Migrations | āœ… | āœ… | āœ… | āœ… | | Relations | āœ… | āœ… | āœ… | āŒ | | Code Generation | āœ… | āŒ | āœ… | āŒ | | Fluent API | āœ… | āŒ | āœ… | āŒ | | Multi-Tenancy | āœ… | āŒ | āŒ | āŒ | | Built-in Caching | āœ… | āŒ | āŒ | āŒ | | Vector Search (pgvector) | āœ… | āŒ | āŒ | āŒ | | Schema Import | āœ… | āŒ | āŒ | āŒ | | 7+ Database Backends | āœ… | āŒ | āŒ | āŒ |

Contributing

Contributions are welcome! Please read the contributing guidelines before submitting a pull request.

License

Lic

Related Skills

View on GitHub
GitHub Stars10
CategoryData
Updated2d ago
Forks0

Languages

Rust

Security Score

95/100

Audited on Apr 4, 2026

No findings