32 releases
| new 0.1.17 | Mar 5, 2026 |
|---|---|
| 0.1.16 | Mar 4, 2026 |
| 0.1.13 | Feb 11, 2026 |
| 0.0.14 | Jan 27, 2026 |
#118 in Development tools
150 downloads per month
Used in 23 crates
(22 directly)
1MB
26K
SLoC
systemprompt-models
Shared data models and types for systemprompt.io OS.
Overview
Part of the Shared layer in the systemprompt.io architecture.
This crate provides common data models, error types, and repository patterns used throughout systemprompt.io. It includes API models, authentication types, configuration, database models, and service-layer error handling.
Installation
Add to your Cargo.toml:
[dependencies]
systemprompt-models = "0.0.1"
Feature Flags
| Feature | Default | Description |
|---|---|---|
web |
No | Axum IntoResponse implementations |
Modules
api - API Response Models
Standard JSON API response structures:
use systemprompt_models::{ApiResponse, ApiError, ErrorCode};
let response = ApiResponse::success(data);
let error = ApiError::not_found("User not found");
auth - Authentication Models
use systemprompt_models::{AuthenticatedUser, BaseRole, AuthError};
let user = AuthenticatedUser {
id: "user-123".to_string(),
username: "alice".to_string(),
roles: vec![BaseRole::Admin],
scopes: vec!["admin".to_string()],
};
config - Configuration Models
use systemprompt_models::Config;
use systemprompt_traits::ConfigProvider;
let config = Config::from_env()?;
let db_url = config.database_url(); // ConfigProvider trait
errors - Error Handling
RepositoryError - Database/repository layer errors:
use systemprompt_models::RepositoryError;
let err = RepositoryError::NotFound("user-123".to_string());
// Automatically converts to ApiError
let api_err: ApiError = err.into();
ServiceError - Business logic layer errors:
use systemprompt_models::ServiceError;
let err = ServiceError::Validation("Invalid email".to_string());
let api_err: ApiError = err.into(); // Converts to HTTP 400
Error Conversion Flow:
RepositoryError → ServiceError → ApiError → HTTP Response
repository - Repository Patterns
Service Lifecycle Trait:
use systemprompt_models::ServiceLifecycle;
#[async_trait]
impl ServiceLifecycle for MyServiceRepository {
async fn get_running_services(&self) -> Result<Vec<ServiceRecord>, RepositoryError> { ... }
async fn mark_crashed(&self, service_id: &str) -> Result<(), RepositoryError> { ... }
async fn update_status(&self, service_id: &str, status: &str) -> Result<(), RepositoryError> { ... }
}
Query Builder:
use systemprompt_models::WhereClause;
let (clause, params) = WhereClause::new()
.eq("status", "active")
.is_not_null("pid")
.build();
let query = format!("SELECT * FROM services {}", clause);
Repository Macros:
use systemprompt_models::impl_repository_base;
impl_repository_base!(MyRepository, DbPool, db_pool);
// Expands to:
// impl Repository for MyRepository {
// type Pool = DbPool;
// type Error = RepositoryError;
// fn pool(&self) -> &Self::Pool { &self.db_pool }
// }
execution - Execution Context
use systemprompt_core_system::RequestContext;
let req_ctx = RequestContext {
session_id: "session-123".into(),
trace_id: "trace-456".into(),
user_id: "user-789".into(),
context_id: "ctx-000".into(),
task_id: None,
ai_tool_call_id: None,
client_id: None,
auth_token: None,
user: None,
start_time: std::time::Instant::now(),
user_type: UserType::AdminUser,
};
Error Handling Pattern
systemprompt.io uses a layered error handling approach:
Layer 1: Repository (Database)
use systemprompt_traits::RepositoryError;
async fn get_user(&self, id: &str) -> Result<User, RepositoryError> {
sqlx::query_as(...)
.fetch_optional(self.pool().pool())
.await?
.ok_or_else(|| RepositoryError::NotFound(format!("User {}", id)))
}
Layer 2: Service (Business Logic)
use systemprompt_models::ServiceError;
async fn create_user(&self, data: CreateUser) -> Result<User, ServiceError> {
if data.email.is_empty() {
return Err(ServiceError::Validation("Email required".into()));
}
self.repo.create_user(data)
.await
.map_err(|e| e.into()) // RepositoryError → ServiceError
}
Layer 3: API (HTTP)
use systemprompt_models::ApiError;
async fn create_user_handler(
State(service): State<UserService>,
Json(data): Json<CreateUser>,
) -> Result<Json<User>, ApiError> {
let user = service.create_user(data)
.await
.map_err(|e| e.into())?; // ServiceError → ApiError
Ok(Json(user))
}
Repository Pattern
All repositories should implement the Repository trait from systemprompt-traits:
use systemprompt_traits::{Repository, RepositoryError};
use systemprompt_core_database::DbPool;
pub struct UserRepository {
db_pool: DbPool,
}
impl Repository for UserRepository {
type Pool = DbPool;
type Error = RepositoryError;
fn pool(&self) -> &Self::Pool {
&self.db_pool
}
}
impl UserRepository {
pub fn new(db_pool: DbPool) -> Self {
Self { db_pool }
}
pub async fn get_user(&self, id: &str) -> Result<Option<User>, RepositoryError> {
sqlx::query_as::<_, User>(GET_USER_QUERY)
.bind(id)
.fetch_optional(self.pool().pool())
.await
.map_err(|e| e.into())
}
}
const GET_USER_QUERY: &str = "SELECT * FROM users WHERE id = ?";
Query Helpers
WhereClause Builder
use systemprompt_models::WhereClause;
let (clause, params) = WhereClause::new()
.eq("status", "active")
.is_not_null("deleted_at")
.like("name", "%john%")
.in_list("role", vec!["admin".into(), "user".into()])
.build();
// clause = "WHERE status = ? AND deleted_at IS NOT NULL AND name LIKE ? AND role IN (?, ?)"
// params = vec!["active", "%john%", "admin", "user"]
Repository Macros
// Base trait implementation
impl_repository_base!(UserRepository, DbPool, db_pool);
// Query execution
let users = repository_query!(
self.pool(),
"SELECT * FROM users WHERE status = ?",
"active"
)?;
// Execute statement
repository_execute!(
self.pool(),
"UPDATE users SET status = ? WHERE id = ?",
"inactive",
user_id
)?;
Module Models
use systemprompt_models::{Module, ModuleType, ServiceCategory};
let module = Module {
id: "mod-123".to_string(),
name: "my-module".to_string(),
version: "1.0.0".to_string(),
display_name: "My Module".to_string(),
category: ServiceCategory::Core,
module_type: ModuleType::Regular,
enabled: true,
config: HashMap::new(),
..Default::default()
};
Dependencies
serde/serde_json- Serializationsqlx- Database typesanyhow/thiserror- Error handlingchrono/uuid- Common typesaxum- Request types for analyticsasync-trait- Async traitssystemprompt-traits- Core trait definitionssystemprompt-core-logging- Logging context
Best Practices
1. Use Shared Error Types
// ✅ Good
async fn my_repo_method(&self) -> Result<Data, RepositoryError> { ... }
// ❌ Bad
async fn my_repo_method(&self) -> Result<Data, anyhow::Error> { ... }
2. Layer Your Errors
// Repository layer
Result<T, RepositoryError>
// Service layer
Result<T, ServiceError>
// API layer
Result<T, ApiError>
3. Use Query Builders
// ✅ Good
let (clause, params) = WhereClause::new().eq("status", status).build();
// ❌ Bad
let clause = format!("WHERE status = '{}'", status); // SQL injection risk!
4. Implement Repository Trait
// ✅ Good - Consistent pattern
impl Repository for MyRepository { ... }
// ❌ Bad - No trait, inconsistent
impl MyRepository {
pub fn get_pool(&self) -> &DbPool { ... } // Different name
}
Testing
Mock repositories using traits:
#[cfg(test)]
mod tests {
use super::*;
struct MockUserRepository {
users: Vec<User>,
}
impl Repository for MockUserRepository {
type Pool = ();
type Error = RepositoryError;
fn pool(&self) -> &Self::Pool { &() }
}
#[tokio::test]
async fn test_user_service() {
let repo = MockUserRepository { users: vec![] };
let service = UserService::new(repo);
// Test service logic
}
}
License
FSL-1.1-ALv2 - See LICENSE for details.
Dependencies
~19–26MB
~387K SLoC