SurrealDB ORM as 'DJango style' for Python with async support. Works with pydantic validation.
Project description
SurrealDB-ORM
First PyPI release for SurrealDB 3.0! This is a Beta — core APIs are stabilizing. Feedback welcome!
Looking for SurrealDB 2.X compatibility? Install
surrealdb-orm<0.30or use thev2branch (0.20.x). Thev2branch receives security patches and critical bug fixes but no new features.
SurrealDB-ORM is a Django-style ORM for SurrealDB with async support, Pydantic validation, and JWT authentication.
Includes a custom SDK (surreal_sdk) - Zero dependency on the official surrealdb package!
Branch Strategy
| Branch | SurrealDB | ORM Version | Status |
|---|---|---|---|
main |
3.X | 0.31.x | Active development |
v2 |
2.X | 0.20.x | LTS (security & bug fixes only) |
Both branches receive automated daily security monitoring from main (GitHub Actions only runs cron workflows from the default branch).
What's New in 0.31.0
REBUILD INDEX Migration Operation
from surreal_orm import RebuildIndex
# Rebuild after bulk import or index change
RebuildIndex(table="documents", name="idx_embedding")
RebuildIndex(table="articles", name="idx_fts", if_exists=True)
# Generates: REBUILD INDEX idx_embedding ON documents;
GraphQL Configuration (SurrealDB 3.0)
from surreal_orm import DefineGraphQLConfig, RemoveGraphQLConfig
# Enable GraphQL for all tables and functions
DefineGraphQLConfig(tables_mode="AUTO", functions_mode="AUTO")
# Include specific tables only
DefineGraphQLConfig(tables_mode="INCLUDE", tables_list=["users", "orders"])
# Exclude certain tables
DefineGraphQLConfig(tables_mode="EXCLUDE", tables_list=["audit_log"])
Bearer Access (SurrealDB 3.0)
Machine-to-machine authentication with API keys via DEFINE ACCESS ... TYPE BEARER:
from surreal_orm import DefineBearerAccess, AccessType
# Migration: define bearer access
DefineBearerAccess(name="api_key", duration_grant="30d", duration_session="1h")
# Issue and revoke bearer keys
key_info = await ServiceAccount.grant_bearer_key(user_id="service_accounts:worker1")
await ServiceAccount.revoke_bearer_key("key:abc123")
UPSERT ON DUPLICATE KEY UPDATE
from surreal_orm import SurrealFunc
# Insert or update on conflict
user = await User.objects().upsert(
defaults={"name": "Alice", "login_count": 1},
id="user:alice",
on_conflict={"login_count": SurrealFunc("login_count + 1")},
)
# Bulk upsert with conflict handling
results = await User.objects().bulk_upsert(
users,
on_conflict={"login_count": SurrealFunc("login_count + 1")},
atomic=True,
)
What's New in 0.30.0b1
Refresh Token Flow (SurrealDB 3.0)
signup() and signin() now return AuthResult — a backward-compatible result type that carries the refresh token alongside the access token.
Refresh tokens require the WITH REFRESH clause on your DEFINE ACCESS statement (placed after SIGNIN(...), before DURATION):
DEFINE ACCESS user_auth ON DATABASE TYPE RECORD
SIGNUP (CREATE users SET email = $email, password = crypto::argon2::generate($password))
SIGNIN (SELECT * FROM users WHERE email = $email AND crypto::argon2::compare(password, $password))
WITH REFRESH
DURATION FOR TOKEN 15m, FOR SESSION 12h, FOR GRANT 30d;
# New (recommended)
result = await User.signup(email="alice@b.com", password="secret", name="Alice")
result.token # JWT access token
result.refresh_token # Refresh token (prefixed "surreal-refresh-...")
# Backward-compatible (still works)
user, token = await User.signup(email="alice@b.com", password="secret", name="Alice")
# Exchange refresh token for new access token (token rotation)
result = await User.refresh_access_token(stored_refresh_token)
result.token # New JWT access token
result.refresh_token # New refresh token (old one is revoked)
DEFINE API Migration Support (SurrealDB 3.0)
New DefineApi and RemoveApi migration operations for SurrealDB 3.0's REST API endpoints:
from surreal_orm import DefineApi
DefineApi(
name="/users/list",
method="GET",
handler="SELECT * FROM users",
)
# Generates: DEFINE API /users/list METHOD GET THEN (SELECT * FROM users);
Record References Field (SurrealDB 3.0)
New ReferencesField for SurrealDB 3.0's REFERENCE clause on DEFINE FIELD, with ON DELETE strategies:
from surreal_orm import ReferencesField
class Author(BaseSurrealModel):
name: str
books: ReferencesField["books"]
# → DEFINE FIELD books ON author TYPE option<array<record<books>>> REFERENCE;
class License(BaseSurrealModel):
owner: ReferencesField["person", "CASCADE"]
# → DEFINE FIELD owner ON license TYPE option<record<person>> REFERENCE ON DELETE CASCADE;
Branch Guard Protection
CI now blocks PRs from v2-related branches (v2, 0.20.*, chore/surrealdb-2x-*) into main.
What's New in 0.30.0a2
Dual-Branch Security Monitoring
main now manages SurrealDB security monitoring for both branches:
surrealdb-security.yml— Monitors SurrealDB 3.X releases, creates PRs targetingmainsurrealdb-v2-security.yml— Monitors SurrealDB 2.X releases, checks outv2code, creates PRs targetingv2
GitHub Actions only executes scheduled (cron) workflows from the default branch. Since main is the default branch, the V2 monitor must live here. The two workflows run 30 minutes apart to avoid resource contention.
What's New in 0.30.0-alpha
SurrealDB 3.0 Compatibility
This release upgrades the ORM and SDK to target SurrealDB >= 3.0. A v2 branch is maintained for SurrealDB 2.x compatibility.
Breaking changes from SurrealDB 3.0:
- Auth token format —
signin()/signup()now return{access, refresh}dict (withWITH REFRESH) or{token}dict (without). NewAuthResponse.refresh_tokenfield added. - KNN vector search —
similar_to()now always includes the EF parameter:<|K,EF|>(default ef=100). The<|K|>syntax no longer works. SEARCH ANALYZER→FULLTEXT ANALYZER— Migration SQL generation and parsers updated.MTREEindex removed — OnlyHNSWvector indexes supported.- Time function renames —
time::from::*→time::from_*,time::is::leap_year→time::is_leap_year type::thing()→type::record()— Auth module updated.- Non-existent tables return errors — Namespace/database are now auto-created via
DEFINE ... IF NOT EXISTSafter signin. - Nullable type format — Schema introspection handles
none | T(SurrealDB 3.0) alongsideoption<T>(v2.x).
# No code changes needed for most users — the ORM handles the differences.
# Just upgrade SurrealDB to v3.0+ and update to surrealdb-orm 0.30.0.
# Auth now returns refresh token (optional)
from surreal_sdk.types import AuthResponse
# response.token, response.refresh_token
# KNN search — ef parameter now always included (default 100)
docs = await Document.objects().similar_to("embedding", vec, limit=10).exec()
# Generates: WHERE embedding <|10,100|> $_knn_vec
What's New in 0.14.4
Fix: Datetime Serialization Round-Trip
Python datetime objects now survive save() / merge() round-trips as native SurrealDB datetime values. Previously, datetimes were serialized as plain ISO strings, causing silent type mismatches with TYPE datetime schema fields.
from datetime import UTC, datetime
class Event(BaseSurrealModel):
model_config = SurrealConfigDict(table_name="events")
occurred_at: datetime | None = None
event = Event(occurred_at=datetime.now(UTC))
await event.save() # datetime now correctly encoded via CBOR datetime tag
loaded = await Event.objects().get(event.id)
assert isinstance(loaded.occurred_at, datetime) # True — no more plain strings
Generic QuerySet[T] — Full Type Inference
QuerySet is now generic. All terminal methods return properly typed model instances:
# Before (v0.14.3): user is Any — no type inference
user = await User.objects().get("user:alice")
# After (v0.14.4): user is User — full IDE autocomplete and mypy checking
user = await User.objects().get("user:alice")
user.name # IDE knows this is a str
Typed get_related() via @overload
Return type is now inferred from the model_class parameter:
# Returns list[Book] — fully typed
books = await author.get_related("wrote", direction="out", model_class=Book)
# Returns list[dict[str, Any]] — raw dicts when no model_class
raw = await author.get_related("wrote", direction="out")
What's New in 0.14.3
Fix: Large Nested Dict Parameter Binding (Issue #55)
SurrealDB v2.6's CBOR parameter binding silently drops complex nested structures — dicts with nested dicts/lists arrive as {} on the server. Two fixes:
-
save()auto-routing — Complex nested data is now automatically routed through a SET-clause query path where each field is bound as a separate variable, avoiding the problematic single-object CBOR binding.class GameSession(BaseSurrealModel): model_config = SurrealConfigDict(table_name="game_sessions") game_state: dict | None = None # Large nested dict (~20KB+) session = GameSession(game_state={"players": [...], "deck": [...], "nested": {...}}) await session.save() # Automatically uses SET-clause path
-
raw_query(inline_dicts=True)— New parameter that inlines complex dict/list variables as JSON in the query string, bypassing CBOR parameter binding entirely.large_state = {"players": [...], "deck": [...], "melds": {...}} results = await GameSession.raw_query( "UPSERT game_sessions:test SET game_state = $state", variables={"state": large_state}, inline_dicts=True, # Inlines $state as JSON in the query )
What's New in 0.14.2
Production Fixes
Five improvements from real production usage (FastAPI + SurrealDB, multi-pod K8s):
-
CBOR None → NONE Encoding — Python
Noneis now correctly encoded as SurrealDBNONE(absent field) instead ofNULL. Fixesoption<T>rejection on SCHEMAFULL tables and large nested dict parameter binding failures. -
Token Validation Cache —
validate_token()now uses an in-memory TTL cache (default 300s) to avoid ephemeral HTTP connections on every call. Newvalidate_token_local()decodes JWT locally without any network call.# Cached validation — no network call on cache hit record_id = await User.validate_token(token) # Local JWT decode — zero network calls (trusted backend only) record_id = User.validate_token_local(token) # Cache management User.configure_token_cache(ttl=600) User.invalidate_token_cache()
-
validate_assignment=True— Pydantic now auto-validates field assignments, soevent.started_at = "2026-02-13T10:00:00Z"is auto-coerced todatetime. -
flexible_fieldsConfig — Discoverable way to mark fields asFLEXIBLE TYPEin migrations:class GameSession(BaseSurrealModel): model_config = SurrealConfigDict( table_name="game_sessions", schema_mode="SCHEMAFULL", flexible_fields=["game_state", "metadata"], ) game_state: dict | None = None # → DEFINE FIELD FLEXIBLE TYPE option<object>
What's New in 0.14.1
Typed Functions API Documentation
-
Typed Functions API in Notebook 08 — Added comprehensive
db.fn.*examples covering math, string, time, crypto, and array functions, plus dynamic namespace resolution and SQL inspection. Notebook reordered from simple to complex.db = await SurrealDBConnectionManager.get_client() sqrt = await db.fn.math.sqrt(144) # 12.0 upper = await db.fn.string.uppercase("hello") # "HELLO" now = await db.fn.time.now() # server timestamp sha = await db.fn.crypto.sha256("data") # hash string arr = await db.fn.array.distinct([1, 2, 2, 3]) # [1, 2, 3]
What's New in 0.14.0
Testing & Developer Experience (Alpha → Beta)
This release transitions the ORM from Alpha to Beta and adds first-class testing and debugging utilities.
-
Test Fixtures — Declarative test data with automatic cleanup
from surreal_orm.testing import SurrealFixture, fixture @fixture class UserFixtures(SurrealFixture): alice = User(name="Alice", role="admin") bob = User(name="Bob", role="player") async with UserFixtures.load() as fixtures: assert fixtures.alice.get_id() is not None # Automatic cleanup on exit
-
Model Factories — Factory Boy-style data generation (zero dependencies)
from surreal_orm.testing import ModelFactory, Faker class UserFactory(ModelFactory): class Meta: model = User name = Faker("name") email = Faker("email") age = Faker("random_int", min=18, max=80) role = "player" user = UserFactory.build() # In-memory (unit tests) user = await UserFactory.create() # Saved to DB (integration tests) users = await UserFactory.create_batch(50)
-
QueryLogger — Profile and debug ORM queries
from surreal_orm.debug import QueryLogger async with QueryLogger() as logger: users = await User.objects().filter(role="admin").exec() await user.save() for q in logger.queries: print(f"{q.sql} — {q.duration_ms:.1f}ms") print(f"Total: {logger.total_queries} queries, {logger.total_ms:.1f}ms")
-
15 Jupyter Notebooks — Comprehensive examples covering all ORM features, from setup to testing
What's New in 0.13.0
Events, Geospatial, Materialized Views & TYPE RELATION
-
DEFINE EVENT — Server-side triggers in migrations
from surreal_orm import DefineEvent DefineEvent( name="email_audit", table="users", when="$before.email != $after.email", then="CREATE audit_log SET table = 'user', record = $value.id, action = $event", )
-
Geospatial Fields — Typed geometry fields and proximity queries
from surreal_orm.fields import PointField, PolygonField from surreal_orm.geo import GeoDistance class Store(BaseSurrealModel): name: str location: PointField # geometry<point> delivery_area: PolygonField # geometry<polygon> # Proximity search: stores within 5km nearby = await Store.objects().nearby( "location", (-73.98, 40.74), max_distance=5000 ).exec() # Distance annotation stores = await Store.objects().annotate( dist=GeoDistance("location", (-73.98, 40.74)), ).order_by("dist").limit(10).exec()
-
Materialized Views — Read-only models backed by
DEFINE TABLE ... AS SELECTclass OrderStats(BaseSurrealModel): model_config = SurrealConfigDict( table_name="order_stats", view_query="SELECT status, count() AS total, math::sum(amount) AS revenue FROM orders GROUP BY status", ) status: str total: int revenue: float # Auto-maintained by SurrealDB — read-only queries only stats = await OrderStats.objects().all() await stats[0].save() # TypeError: Cannot modify materialized view
-
TYPE RELATION — Enforce graph edge constraints in migrations
class Likes(BaseSurrealModel): model_config = SurrealConfigDict( table_type=TableType.RELATION, relation_in="person", relation_out=["blog_post", "book"], enforced=True, )
What's New in 0.12.0
Vector Search & Full-Text Search
-
Vector Similarity Search — KNN search with HNSW indexes for AI/RAG pipelines
from surreal_orm.fields import VectorField class Document(BaseSurrealModel): title: str embedding: VectorField[1536] # KNN similarity search (top 10 nearest neighbours) docs = await Document.objects().similar_to( "embedding", query_vector, limit=10 ).exec() # Combined with filters docs = await Document.objects().filter( category="science" ).similar_to("embedding", query_vector, limit=5).exec()
-
Full-Text Search — BM25 scoring, highlighting, and multi-field search
from surreal_orm import SearchScore, SearchHighlight results = await Post.objects().search(title="quantum").annotate( relevance=SearchScore(0), snippet=SearchHighlight("<b>", "</b>", 0), ).exec()
-
Hybrid Search — Reciprocal Rank Fusion combining vector + FTS
results = await Document.objects().hybrid_search( vector_field="embedding", vector=query_vec, vector_limit=20, text_field="content", text_query="machine learning", text_limit=20, )
-
Analyzer & Index Operations —
DefineAnalyzer, HNSW and BM25 index support in migrations
What's New in 0.11.0
Advanced Queries & Caching
- Subqueries — Embed a QuerySet as a filter value in another QuerySet
- Query Cache — TTL-based caching with automatic invalidation on writes
- Prefetch Objects — Fine-grained control over related data prefetching
What's New in 0.10.0
Schema Introspection & Multi-Database Support
-
Schema Introspection - Generate Python model code from an existing SurrealDB database
from surreal_orm import generate_models_from_db, schema_diff # Generate Python model code from existing database code = await generate_models_from_db(output_path="models.py") # Compare Python models against live database schema operations = await schema_diff(models=[User, Order, Product]) for op in operations: print(op) # Migration operations needed to sync
DatabaseIntrospectorparsesINFO FOR DB/INFO FOR TABLEintoSchemaStateModelCodeGeneratorconvertsSchemaStateto fully-typed Python model source code- Handles generic types (
array<string>,option<int>,record<users>), VALUE/ASSERT expressions, encrypted fields, FLEXIBLE, READONLY - CLI:
surreal-orm inspectdbandsurreal-orm schemadiff
-
Multi-Database Support - Named connection registry for routing models to different databases
from surreal_orm import SurrealDBConnectionManager # Register named connections SurrealDBConnectionManager.add_connection("default", url=..., ns=..., db=...) SurrealDBConnectionManager.add_connection("analytics", url=..., ns=..., db=...) # Model-level routing class AnalyticsEvent(BaseSurrealModel): model_config = SurrealConfigDict(connection="analytics") # Context manager override (async-safe) async with SurrealDBConnectionManager.using("analytics"): events = await AnalyticsEvent.objects().all()
ConnectionConfigfrozen dataclass for immutable connection settingsusing()async context manager withcontextvarsfor async safety- Full backward compatibility:
set_connection()delegates toadd_connection("default", ...) list_connections(),get_config(),remove_connection()registry management
What's New in 0.9.0
ORM Real-time Features: Live Models + Change Feed
-
Live Models - Real-time subscriptions at the ORM level yielding typed Pydantic model instances
from surreal_orm import LiveAction async with User.objects().filter(role="admin").live() as stream: async for event in stream: match event.action: case LiveAction.CREATE: print(f"New admin: {event.instance.name}") case LiveAction.UPDATE: print(f"Updated: {event.instance.email}") case LiveAction.DELETE: print(f"Removed: {event.record_id}")
ModelChangeEvent[T]with typedinstance,action,record_id,changed_fields- Full QuerySet filter integration (WHERE clause + parameterized variables)
auto_resubscribe=Truefor seamless WebSocket reconnect recoverydiff=Truefor receiving only changed fields
-
Change Feed Integration - HTTP-based CDC for event-driven microservices
async for event in User.objects().changes(since="2026-01-01"): await publish_to_queue({ "type": f"user.{event.action.value.lower()}", "data": event.raw, })
- Stateless, resumable with cursor tracking
- Configurable
poll_intervalandbatch_size - No WebSocket required (works over HTTP)
-
post_live_changesignal - Fires for external database changes (separate from local CRUD signals)from surreal_orm import post_live_change, LiveAction @post_live_change.connect(Player) async def on_player_change(sender, instance, action, **kwargs): if action == LiveAction.CREATE: await ws_manager.broadcast({"type": "player_joined", "name": instance.name})
-
WebSocket Connection Manager -
get_ws_client()creates a lazy WebSocket connection alongside HTTP
What's New in 0.8.0
Auth Module Fixes + Computed Fields
-
Ephemeral Auth Connections (Critical) -
signup(),signin(), andauthenticate_token()no longer corrupt the singleton connection. They use isolated ephemeral connections. -
Configurable Access Name - Access name is configurable via
access_nameinSurrealConfigDict(was hardcoded to{table}_auth) -
signup()Returns Token - Now returnstuple[Self, str](user + JWT token), matchingsignin()user, token = await User.signup(email="alice@example.com", password="secret", name="Alice")
-
authenticate_token()Fixed +validate_token()- Fixed token validation with newvalidate_token()lightweight methodresult = await User.authenticate_token(token) # Full: (user, record_id) record_id = await User.validate_token(token) # Lightweight: just record_id
-
Computed Fields - Server-side computed fields using SurrealDB's
DEFINE FIELD ... VALUE <expression>from surreal_orm import Computed class User(BaseSurrealModel): first_name: str last_name: str full_name: Computed[str] = Computed("string::concat(first_name, ' ', last_name)") class Order(BaseSurrealModel): items: list[dict] discount: float = 0.0 subtotal: Computed[float] = Computed("math::sum(items.*.price * items.*.qty)") total: Computed[float] = Computed("subtotal * (1 - discount)")
Computed[T]defaults toNone(server computes the value)- Auto-excluded from
save()/merge()viaget_server_fields() - Migration introspector auto-generates
DEFINE FIELD ... VALUE <expression>
What's New in 0.7.0
Performance & Developer Experience
-
merge(refresh=False)- Skip the extra SELECT round-trip for fire-and-forget updatesawait user.merge(last_seen=SurrealFunc("time::now()"), refresh=False)
-
call_function()- Invoke custom SurrealDB stored functions from the ORMresult = await SurrealDBConnectionManager.call_function( "acquire_game_lock", params={"table_id": tid, "pod_id": pid}, ) result = await GameTable.call_function("release_game_lock", params={...})
-
extra_varsonsave()- Bind additional query variables for SurrealFunc expressionsawait user.save( server_values={"password_hash": SurrealFunc("crypto::argon2::generate($password)")}, extra_vars={"password": raw_password}, )
-
fetch()/ FETCH clause - Resolve record links inline to prevent N+1 queriesposts = await Post.objects().fetch("author", "tags").exec() # Generates: SELECT * FROM posts FETCH author, tags;
-
remove_all_relations()list support - Remove multiple relation types in one callawait table.remove_all_relations(["has_player", "has_action"], direction="out")
What's New in 0.6.0
Query Power, Security & Server-Side Functions
-
Q Objects for Complex Queries - Django-style composable query expressions with OR/AND/NOT
from surreal_orm import Q # OR query users = await User.objects().filter( Q(name__contains="alice") | Q(email__contains="alice"), ).exec() # NOT + mixed with regular kwargs users = await User.objects().filter( ~Q(status="banned"), role="admin", ).order_by("-created_at").exec()
-
Parameterized Filters (Security) - All filter values are now query variables (
$_fN)- Prevents SQL injection by never embedding values in query strings
- Existing
$variablereferences via.variables()still work
-
SurrealFunc for Server-Side Functions - Embed SurrealQL expressions in save/update
from surreal_orm import SurrealFunc await player.save(server_values={"joined_at": SurrealFunc("time::now()")}) await player.merge(last_ping=SurrealFunc("time::now()"))
-
remove_all_relations()- Bulk relation deletion with direction supportawait table.remove_all_relations("has_player", direction="out") await user.remove_all_relations("follows", direction="both")
-
Django-style
-fieldOrdering - Shorthand for descending orderusers = await User.objects().order_by("-created_at").exec()
-
Bug Fix:
isnullLookup -filter(field__isnull=True)now generatesIS NULLinstead ofIS True
What's New in 0.5.x
v0.5.9 - Concurrent Safety, Relation Direction & Array Filtering
-
Atomic Array Operations - Server-side array mutations avoiding read-modify-write conflicts
atomic_append(),atomic_remove(),atomic_set_add()class methods- Ideal for multi-pod K8s deployments with concurrent workers
# No more transaction conflicts on concurrent array updates: await Event.atomic_set_add(event_id, "processed_by", pod_id)
-
Transaction Conflict Retry -
retry_on_conflict()decorator with exponential backoff + jitterTransactionConflictErrorexception for conflict detection
from surreal_orm import retry_on_conflict @retry_on_conflict(max_retries=5) async def process_event(event_id, pod_id): await Event.atomic_set_add(event_id, "processed_by", pod_id)
-
Relation Direction Control -
reverseparameter onrelate()andremove_relation()# Reverse: users:xyz -> created -> game_tables:abc await table.relate("created", creator, reverse=True)
-
New Query Lookup Operators - Server-side array filtering
not_contains(CONTAINSNOT),containsall(CONTAINSALL),containsany(CONTAINSANY),not_in(NOT IN)
events = await Event.objects().filter(processed_by__not_contains=pod_id).exec()
v0.5.8 - Around Signals (Generator-based middleware)
-
Around Signals - Generator-based middleware pattern for wrapping DB operations
around_save,around_delete,around_update- Shared state between before/after phases (local variables)
- Guaranteed cleanup with
try/finally
from surreal_orm import around_save @around_save.connect(Player) async def time_save(sender, instance, created, **kwargs): start = time.time() yield # save happens here print(f"Saved {instance.id} in {time.time() - start:.3f}s") @around_delete.connect(Player) async def delete_with_lock(sender, instance, **kwargs): lock = await acquire_lock(instance.id) try: yield # delete happens while lock is held finally: await release_lock(lock) # Always runs
Execution order:
pre_* → around(before) → DB → around(after) → post_*
v0.5.7 - Model Signals
-
Django-style Model Signals - Event hooks for model lifecycle operations
pre_save,post_save- Before/after save operationspre_delete,post_delete- Before/after delete operationspre_update,post_update- Before/after update/merge operations
from surreal_orm import post_save, Player @post_save.connect(Player) async def on_player_saved(sender, instance, created, **kwargs): if instance.is_ready: await ws_manager.broadcast({"type": "player_ready", "id": instance.id})
v0.5.6 - Relation Query ID Escaping Fix
- Fixed ID escaping in relation queries - When using
get_related(),RelationQuerySet, or graph traversal with IDs starting with digits, queries now properly escape the IDs with backticks, preventing parse errors.
v0.5.5.3 - RecordId Conversion Fix
- Fixed RecordId objects in foreign key fields - When using CBOR protocol, fields like
user_id,table_idare now properly converted to"table:id"strings instead of raw RecordId objects, preventing Pydantic validation errors.
v0.5.5.2 - Datetime Regression Fix
- Fixed datetime_type Pydantic validation error - v0.5.5.1 introduced a regression where records with datetime fields failed validation, causing
from_db()to return dicts instead of model instances - New
_preprocess_db_record()method - Properly handles datetime parsing and RecordId conversion before Pydantic validation
v0.5.5.1 - Critical Bug Fixes
- Record ID escaping - IDs starting with digits (e.g.,
7abc123) now properly escaped with backticks - CBOR for HTTP connections - HTTP connections now default to CBOR protocol, fixing
data:prefix issues get()full ID format -QuerySet.get("table:id")now correctly parses and queriesget_related()direction="in" - Fixed to return actual related records instead of empty resultsupdate()table name - Fixed bug where customtable_namewas ignored
v0.5.5 - CBOR Protocol & Field Aliases
- CBOR Protocol (Default) - Binary protocol for WebSocket connections
cbor2is now a required dependency- CBOR is the default protocol for WebSocket (fixes
data:prefix string issues) - Aligns with official SurrealDB SDK behavior
unset_connection_sync()- Synchronous version for non-async cleanup contexts- Field Alias Support - Map Python field names to different DB column names
- Use
Field(alias="db_column")to store under a different name in DB
- Use
v0.5.4 - API Improvements
- Record ID format handling -
QuerySet.get()accepts both"abc123"and"table:abc123" remove_relation()accepts string IDs - Pass string IDs instead of model instancesraw_query()class method - Execute arbitrary SurrealQL from model class
v0.5.3.3 - Bug Fix
from_db()fields_set fix - Fixed bug where DB-loaded fields were incorrectly included in updates viaexclude_unset=True
v0.5.3.2 - Critical Bug Fix
- QuerySet table name fix - Fixed critical bug where QuerySet used class name instead of
table_namefrom config QuerySet.get()signature - Now acceptsid=keyword argument in addition to positionalid_item
v0.5.3.1 - Bug Fixes
- Partial updates for persisted records -
save()now usesmerge()for already-persisted records, only sending modified fields - datetime parsing -
_update_from_db()now parses ISO 8601 strings todatetimeobjects automatically _db_persistedflag - Internal tracking to distinguish new vs persisted records
v0.5.3 - ORM Improvements
- Upsert save behavior -
save()now usesupsertfor new records with ID (idempotent, Django-like) server_fieldsconfig - Exclude server-generated fields (created_at, updated_at) from savesmerge()returns self - Now returns the updated model instance instead of Nonesave()updates self - Updates original instance attributes instead of returning new object- NULL values fix -
exclude_unset=Truenow works correctly after loading from DB
v0.5.2 - Bug Fixes & FieldType Improvements
- FieldType enum - Enhanced migration type system with
generic()andfrom_python_type()methods - datetime serialization - Proper JSON encoding for datetime, date, time, Decimal, UUID
- Fluent API -
connect()now returnsselffor method chaining - Session cleanup - WebSocket callback tasks properly tracked and cancelled
- Optional fields -
exclude_unset=Trueprevents None from overriding DB defaults - Parameter alias -
usernameparameter alias foruserin ConnectionManager
v0.5.1 - Security Workflows
- Dependabot integration - Automatic dependency security updates
- Auto-merge - Dependabot PRs merged after CI passes
- SurrealDB monitoring - Integration tests on new SurrealDB releases
v0.5.0 - Real-time SDK Enhancements
- Live Select Stream - Async iterator pattern for real-time changes
async with db.live_select("table") as stream: async for change in stream:LiveChangedataclass withrecord_id,action,result,changed_fields- WHERE clause support with parameterized queries
- Auto-Resubscribe - Automatic reconnection after WebSocket disconnect
auto_resubscribe=Trueparameter for seamless K8s pod restart recoveryon_reconnect(old_id, new_id)callback for tracking ID changes
- Typed Function Calls - Pydantic/dataclass return type support
await db.call("fn::my_func", params={...}, return_type=MyModel)
v0.4.0 - Relations & Graph
- Relations & Graph Traversal - Django-style relation definitions with SurrealDB graph support
ForeignKey,ManyToMany,Relationfield types- Relation operations:
add(),remove(),set(),clear(),all(),filter(),count() - Model methods:
relate(),remove_relation(),get_related() - QuerySet extensions:
select_related(),prefetch_related(),traverse(),graph_query()
Table of Contents
Installation
# Basic installation (includes CBOR support)
pip install surrealdb-orm
# With CLI support
pip install surrealdb-orm[cli]
Requirements: Python 3.12+ | SurrealDB 3.0+
Included: pydantic, httpx, aiohttp, cbor2 (CBOR is the default protocol for WebSocket)
SurrealDB Compatibility
| ORM Version | SurrealDB | Branch | Status |
|---|---|---|---|
| 0.30.x+ | >= 3.0 | main |
Active development |
| 0.20.x | 2.6.x | v2 |
Security fixes only |
- SurrealDB 3.0+ — Use
surrealdb-orm >= 0.30.0(this branch). - SurrealDB 2.6.x — Use the
v2branch (surrealdb-orm 0.20.x). This branch receives security patches but no new features.
Quick Start
Using the SDK (Recommended)
from surreal_sdk import SurrealDB
async def main():
# HTTP connection (stateless, ideal for microservices)
async with SurrealDB.http("http://localhost:8000", "namespace", "database") as db:
await db.signin("root", "root")
# CRUD operations
user = await db.create("users", {"name": "Alice", "age": 30})
users = await db.query("SELECT * FROM users WHERE age > $min", {"min": 18})
# Atomic transactions
async with db.transaction() as tx:
await tx.create("accounts:alice", {"balance": 1000})
await tx.create("accounts:bob", {"balance": 500})
# Auto-commit on success, auto-rollback on exception
# Built-in functions with typed API
result = await db.fn.math.sqrt(16) # Returns 4.0
now = await db.fn.time.now() # Current timestamp
Using the ORM
from surreal_orm import BaseSurrealModel, SurrealDBConnectionManager
# 1. Define your model
class User(BaseSurrealModel):
id: str | None = None
name: str
email: str
age: int = 0
# 2. Configure connection
SurrealDBConnectionManager.set_connection(
url="http://localhost:8000",
user="root",
password="root",
namespace="myapp",
database="main",
)
# 3. CRUD operations
user = User(name="Alice", email="alice@example.com", age=30)
await user.save()
users = await User.objects().filter(age__gte=18).order_by("name").limit(10).exec()
SDK Features
Connections
| Type | Use Case | Features |
|---|---|---|
| HTTP | Microservices, REST APIs | Stateless, simple |
| WebSocket | Real-time apps | Live queries, persistent |
| Pool | High-throughput | Connection reuse |
from surreal_sdk import SurrealDB, HTTPConnection, WebSocketConnection
# HTTP (stateless)
async with SurrealDB.http("http://localhost:8000", "ns", "db") as db:
await db.signin("root", "root")
# WebSocket (stateful, real-time)
async with SurrealDB.ws("ws://localhost:8000", "ns", "db") as db:
await db.signin("root", "root")
await db.live("orders", callback=on_order_change)
# Connection Pool
async with SurrealDB.pool("http://localhost:8000", "ns", "db", size=10) as pool:
await pool.set_credentials("root", "root")
async with pool.acquire() as conn:
await conn.query("SELECT * FROM users")
Transactions
Atomic transactions with automatic commit/rollback:
# WebSocket: Immediate execution with server-side transaction
async with db.transaction() as tx:
await tx.update("players:abc", {"is_ready": True})
await tx.update("game_tables:xyz", {"ready_count": "+=1"})
# Statements execute immediately
# COMMIT on success, CANCEL on exception
# HTTP: Batched execution (all-or-nothing)
async with db.transaction() as tx:
await tx.create("orders:1", {"total": 100})
await tx.create("payments:1", {"amount": 100})
# Statements queued, executed atomically at commit
Transaction Methods:
tx.query(sql, vars)- Execute raw SurrealQLtx.create(thing, data)- Create recordtx.update(thing, data)- Replace recordtx.delete(thing)- Delete recordtx.relate(from, edge, to)- Create graph edgetx.commit()- Explicit committx.rollback()- Explicit rollback
Typed Functions
Fluent API for SurrealDB functions:
# Built-in functions (namespace::function)
sqrt = await db.fn.math.sqrt(16) # 4.0
now = await db.fn.time.now() # datetime
length = await db.fn.string.len("hello") # 5
sha = await db.fn.crypto.sha256("data") # hash string
# Custom user-defined functions (fn::function)
result = await db.fn.my_custom_function(arg1, arg2)
# Executes: RETURN fn::my_custom_function($arg0, $arg1)
Available Namespaces:
array, crypto, duration, geo, http, math, meta, object, parse, rand, session, string, time, type, vector
Live Queries
Real-time updates via WebSocket:
from surreal_sdk import LiveAction
# Async iterator pattern (recommended)
async with db.live_select(
"orders",
where="status = $status",
params={"status": "pending"},
auto_resubscribe=True, # Auto-reconnect on WebSocket drop
) as stream:
async for change in stream:
match change.action:
case LiveAction.CREATE:
print(f"New order: {change.result}")
case LiveAction.UPDATE:
print(f"Updated: {change.record_id}")
case LiveAction.DELETE:
print(f"Deleted: {change.record_id}")
# Callback-based pattern
from surreal_sdk import LiveQuery, LiveNotification
async def on_change(notification: LiveNotification):
print(f"{notification.action}: {notification.result}")
live = LiveQuery(ws_conn, "orders")
await live.subscribe(on_change)
# ... record changes trigger callbacks ...
await live.unsubscribe()
Typed Function Calls:
from pydantic import BaseModel
class VoteResult(BaseModel):
success: bool
count: int
# Call SurrealDB function with typed return
result = await db.call(
"cast_vote",
params={"user": "alice", "vote": "yes"},
return_type=VoteResult
)
print(result.success, result.count) # Typed access
ORM Features
Live Models (Real-time at ORM Level)
from surreal_orm import LiveAction
# Subscribe to model changes with full Pydantic instances
async with User.objects().filter(role="admin").live() as stream:
async for event in stream:
print(event.action, event.instance.name, event.record_id)
# Change Feed (HTTP, no WebSocket needed)
async for event in Order.objects().changes(since="2026-01-01"):
print(event.action, event.instance.total)
QuerySet with Django-style Lookups
# Filter with lookups
users = await User.objects().filter(age__gte=18, name__startswith="A").exec()
# Supported lookups
# exact, gt, gte, lt, lte, in, not_in, like, ilike,
# contains, icontains, not_contains, containsall, containsany,
# startswith, istartswith, endswith, iendswith, match, regex, isnull
# Q objects for complex OR/AND/NOT queries
from surreal_orm import Q
users = await User.objects().filter(
Q(name__contains="alice") | Q(email__contains="alice"),
role="admin",
).order_by("-created_at").limit(10).exec()
ORM Transactions
from surreal_orm import SurrealDBConnectionManager
# Via ConnectionManager
async with SurrealDBConnectionManager.transaction() as tx:
user = User(name="Alice", balance=1000)
await user.save(tx=tx)
order = Order(user_id=user.id, total=100)
await order.save(tx=tx)
# Auto-commit on success, auto-rollback on exception
# Via Model class method
async with User.transaction() as tx:
await user1.save(tx=tx)
await user2.delete(tx=tx)
Aggregations
# Simple aggregations
total = await User.objects().count()
total = await User.objects().filter(active=True).count()
# Field aggregations
avg_age = await User.objects().avg("age")
total = await Order.objects().filter(status="paid").sum("amount")
min_val = await Product.objects().min("price")
max_val = await Product.objects().max("price")
GROUP BY with Aggregations
from surreal_orm import Count, Sum, Avg
# Group by single field
stats = await Order.objects().values("status").annotate(
count=Count(),
total=Sum("amount"),
).exec()
# Result: [{"status": "paid", "count": 42, "total": 5000}, ...]
# Group by multiple fields
monthly = await Order.objects().values("status", "month").annotate(
count=Count(),
).exec()
Bulk Operations
# Bulk create
users = [User(name=f"User{i}") for i in range(100)]
created = await User.objects().bulk_create(users)
# Atomic bulk create (all-or-nothing)
created = await User.objects().bulk_create(users, atomic=True)
# Bulk update
updated = await User.objects().filter(status="pending").bulk_update(
{"status": "active"}
)
# Bulk delete
deleted = await User.objects().filter(status="deleted").bulk_delete()
Table Types
| Type | Description |
|---|---|
NORMAL |
Standard table (default) |
USER |
Auth table with JWT support |
STREAM |
Real-time with CHANGEFEED |
HASH |
Lookup/cache (SCHEMALESS) |
from surreal_orm import BaseSurrealModel, SurrealConfigDict
from surreal_orm.types import TableType
class User(BaseSurrealModel):
model_config = SurrealConfigDict(
table_type=TableType.USER,
permissions={"select": "$auth.id = id"},
)
JWT Authentication
from surreal_orm.auth import AuthenticatedUserMixin
from surreal_orm.fields import Encrypted
class User(AuthenticatedUserMixin, BaseSurrealModel):
model_config = SurrealConfigDict(table_type=TableType.USER)
email: str
password: Encrypted # Auto-hashed with argon2
name: str
# Signup
user = await User.signup(email="alice@example.com", password="secret", name="Alice")
# Signin
user, token = await User.signin(email="alice@example.com", password="secret")
# Validate token
user = await User.authenticate_token(token)
CLI Commands
Requires pip install surrealdb-orm[cli]
| Command | Description |
|---|---|
makemigrations |
Generate migration files |
migrate |
Apply schema migrations |
rollback <target> |
Rollback to migration |
status |
Show migration status |
shell |
Interactive SurrealQL shell |
inspectdb |
Generate models from existing database |
schemadiff |
Compare models against live schema |
# Generate and apply migrations
surreal-orm makemigrations --name initial
surreal-orm migrate -u http://localhost:8000 -n myns -d mydb
# Environment variables supported
export SURREAL_URL=http://localhost:8000
export SURREAL_NAMESPACE=myns
export SURREAL_DATABASE=mydb
surreal-orm migrate
Documentation
| Document | Description |
|---|---|
| SDK Guide | Full SDK documentation |
| Migration System | Django-style migrations |
| Authentication | JWT authentication guide |
| Roadmap | Future features planning |
| CHANGELOG | Version history |
Contributing
# Clone and install
git clone https://github.com/EulogySnowfall/SurrealDB-ORM.git
cd SurrealDB-ORM
uv sync
# Run tests (SurrealDB container managed automatically)
make test # Unit tests only
make test-integration # With integration tests
# Start SurrealDB manually
make db-up # Test instance (port 8001)
make db-dev # Dev instance (port 8000)
# Lint
make ci-lint # Run all linters
Related Projects
SurrealDB-ORM-lite
A lightweight Django-style ORM built on the official SurrealDB Python SDK.
| Feature | SurrealDB-ORM | SurrealDB-ORM-lite |
|---|---|---|
| SDK | Custom (surreal_sdk) |
Official surrealdb |
| Live Queries | Full support | Limited |
| CBOR Protocol | Default | SDK-dependent |
| Transactions | Full support | Basic |
| Typed Functions | Yes | No |
Choose SurrealDB-ORM-lite if you prefer to use the official SDK with basic ORM features.
pip install surreal-orm-lite
License
MIT License - See LICENSE file.
Author: Yannick Croteau | GitHub: EulogySnowfall
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file surrealdb_orm-0.31.1.tar.gz.
File metadata
- Download URL: surrealdb_orm-0.31.1.tar.gz
- Upload date:
- Size: 197.1 kB
- Tags: Source
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
7043999904bb277307e4beda397daad4a8bd3fad291768b08994b7c4ed49022b
|
|
| MD5 |
0c02332f4cb89ab7ebac689f610cfd43
|
|
| BLAKE2b-256 |
651f5875854759903d859b78abafcca06e6fa8e5fe0a2cf4d80e5fe8394d69dc
|
Provenance
The following attestation bundles were made for surrealdb_orm-0.31.1.tar.gz:
Publisher:
publish.yml on EulogySnowfall/SurrealDB-ORM
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
surrealdb_orm-0.31.1.tar.gz -
Subject digest:
7043999904bb277307e4beda397daad4a8bd3fad291768b08994b7c4ed49022b - Sigstore transparency entry: 1191267346
- Sigstore integration time:
-
Permalink:
EulogySnowfall/SurrealDB-ORM@e7f7877461f5a1dd111ca12397e01c9a6fe9cbaa -
Branch / Tag:
refs/tags/v0.31.1 - Owner: https://github.com/EulogySnowfall
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@e7f7877461f5a1dd111ca12397e01c9a6fe9cbaa -
Trigger Event:
push
-
Statement type:
File details
Details for the file surrealdb_orm-0.31.1-py3-none-any.whl.
File metadata
- Download URL: surrealdb_orm-0.31.1-py3-none-any.whl
- Upload date:
- Size: 218.4 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
b75853b5fd21d0b1bd222e91d5f947c899a3f0a3d28a2cf79b5057af9c4be1a7
|
|
| MD5 |
c0cef2f4402a4da17c55fd88b908aab3
|
|
| BLAKE2b-256 |
ef576903f9cee51e593e0d3b9f31b0fcdcffc5e55b5fc59aafa6db9ccfe69ad4
|
Provenance
The following attestation bundles were made for surrealdb_orm-0.31.1-py3-none-any.whl:
Publisher:
publish.yml on EulogySnowfall/SurrealDB-ORM
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
surrealdb_orm-0.31.1-py3-none-any.whl -
Subject digest:
b75853b5fd21d0b1bd222e91d5f947c899a3f0a3d28a2cf79b5057af9c4be1a7 - Sigstore transparency entry: 1191267389
- Sigstore integration time:
-
Permalink:
EulogySnowfall/SurrealDB-ORM@e7f7877461f5a1dd111ca12397e01c9a6fe9cbaa -
Branch / Tag:
refs/tags/v0.31.1 - Owner: https://github.com/EulogySnowfall
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
publish.yml@e7f7877461f5a1dd111ca12397e01c9a6fe9cbaa -
Trigger Event:
push
-
Statement type: