A nifty local-first database with full-text and vector similarity search. Ideal for desktop apps and personal web apps.
OakDB is powered by SQLite (and sqlite-vec) and runs completely locally, with embeddings generated on-device using llama.cpp.
Note: OakDB is still a new software and not thoroughly tested. Caution is advised and feedback is encouraged!
Default (only NoSQL and full-text search)
pip install oakdbWith vector similarity search:
pip install "oakdb[vector]"Note: Vector search is compatible with Python installations that support SQLite extensions. The recommended installation method is through Homebrew:
brew install python
from oakdb import Oak
oak = Oak()
# Create your first Oak Base
ideas = oak.Base("ideas")
ideas.enable_search() # Optional. Enables full-text search
ideas.add("make a database")
ideas.add("build a rocket")
ideas.add("ΨΩΨ§Ψ³ΩΨ¨ Ψ°Ψ§ΨͺΩΨ© Ψ§ΩΨ·ΩΨ±Ψ§Ω")
ideas.fetch() # Fetch all notes
ideas.search("rocket")
# Create/use another Base
things = oak.Base("things")
# Add multiple at once
things.adds([
{"name": "pen", "price": 10},
{"name": "notebook", "price": 5, "pages": 200},
{"name": "calculator", "price": 100, "used": True},
])
# Provide filters
things.fetch({"price__gte": 5})
things.fetch({"price": 100, "used": True})from oakdb import Oak
oak = Oak()
ideas = oak.Base("ideas")
# Read the installation section first
ideas.enable_vector() # Enables similarity search. Takes a few minutes the first time to download the model
ideas.add("make a database")
ideas.add("build a rocket")
ideas.add("ΨΩΨ§Ψ³ΩΨ¨ Ψ°Ψ§ΨͺΩΨ© Ψ§ΩΨ·ΩΨ±Ψ§Ω")
ideas.similar("flying vehicles")Using alternative embedding providers
- Install the required package:
pip install langchain-community- Configure Oak with your preferred embedding provider:
from oakdb import Oak
from langchain_community.embeddings import FakeEmbeddings # import your provider
oak = Oak()
oak.backend.set_embedder(FakeEmbeddings(...))Important: don't mix up your embedding providers. Use one per Oak instance. Will add more flexibility later.
- Add missing features and refine API
- Add support for file storage and indexing
- Support more backends like libsql, Cloudflare D1, etc.
- Release JavaScript, browser, Go, and Rust versions.
- Implement in C and/or create a SQLite extension.
Note: Some parts of the API might change. Esp regarding error returns.
The primary entry point for creating and managing databases.
Oak(backend: Union[SQLiteBackend, str] = "./oak.db")backend: Either a SQLiteBackend instance or a file path for the database- Default creates a SQLite database at "./oak.db"
Create or retrieve a named database instance.
name: Unique identifier for the database- Returns a
Baseinstance
Represents a specific database with various data operations.
Add a single item to the database. Returns an error if key already exists unless override=True
data: The data to store (dict, list, str, int, bool, float)key: Optional custom key (auto-generated if not provided). A custom key can also be passed in thedatadict using"key": "..."override: Optional. Replace existing item if key exists
Add multiple items to the database. Returns an error if a key already exists unless override=True
items: List/tuple/set of items to add. Custom keys can also be passed in the items' dicts using"key": "..."override: Optional. Replace existing items if keys exist
Retrieve an item by its key
key: types: str, int, float (they will be converted to to strings)
Delete an item by its key
key: types: str, int, float (they will be converted to to strings)
Delete multiple items by their keys
keys: a list of types: str, int, float (they will be converted to to strings)
Fetch items with advanced filtering and pagination
filters: Filtering criteria. Check [Query Language][#query-language] for filter syntaxlimit: Maximum items per pageorder: Sorting order. Options:key__asckey__descdata__ascdata__desccreated__asccreated__descupdated__ascupdated__desc
page: Page number for pagination.
Perform full-text search (requires search to be enabled)
query: Search textfilters: Optional additional filtering. Check [Query Language][#query-language] for filter syntaxlimit: Maximum resultspage: Pagination page numberorder: Sorting order. Options:rank__ascrank__desckey__asckey__descdata__ascdata__desccreated__asccreated__descupdated__ascupdated__desc
similar(query, *, filters=None, limit=3, distance="cosine", order="distance__desc") -> ItemsResponse
Perform vector similarity search (requires vector search to be enabled)
query: Search vector/textfilters: Optional additional filtering. Check [Query Language][#query-language] for filter syntaxlimit: Maximum resultsdistance: Distance metric ("L1", "L2", "cosine"). case-sensitiveorder: Sorting order. Options:distance__ascdistance__desckey__asckey__descdata__ascdata__desccreated__asccreated__descupdated__ascupdated__desc
Enable full-text search for the database
Disable full-text search
Enable vector similarity search capabilities
Disable vector similarity search
Drop the entire database or main table
OakDB supports a powerful, flexible query language for filtering and searching.
# Exact match
db.fetch({"score": 25})
# Multiple conditions (AND)
db.fetch({"score__gte": 18, "game": "Mario Kart"})
# Multiple conditions (OR)
db.fetch([{"score__gte": 18}, {"game": "Mario Kart"}])
# With full-text search
db.search("zelda", {"tag__in": ["rpg"]})
# With vector similarity search
db.similar("flying turtles", {"console": "3ds"})| Operator | Description | Example |
|---|---|---|
eq |
Equal to | {"score__eq": 25} or {"score": 25} |
ne |
Not equal to | {"score__ne": 25} |
lt |
Less than | {"score__lt": 30} |
gt |
Greater than | {"score__gt": 18} |
lte |
Less than or equal | {"score__lte": 25} |
gte |
Greater than or equal | {"score__gte": 18} |
starts |
Starts with | {"name__starts": "Nintendo"} |
ends |
Ends with | {"name__ends": "Switch"} |
contains |
Contains substring | {"description__contains": "Racing"} |
!contains |
Does not contain substring | {"description__!contains": "Adventure"} |
range |
Between two values | {"score__range": [18, 30]} |
in |
In a list of values | {"status__in": ["active", "pending"]} |
!in |
Not in a list of values | {"status__!in": ["active", "pending"]} |
Use _ prefix for direct column queries:
db.fetch({"_created__gte": "2023-01-01"})# Multiple condition sets (OR)
db.fetch([
{"score__gte": 18, "game__contains": "Mario"},
{"status": "active"}
])# Search for products in a specific category
results = db.search("laptop",
filters={
"category": "electronics",
"price__lte": 1000
},
limit=10
)# Complex nested condition queries
results = db.fetch({
"user.profile.age__gte": 21,
"user.settings.notifications__eq": True,
"user.addresses.0.city__contains": "Maputo"
})# Find similar documents or products
results = db.similar("data science trends",
filters={
"year__gte": 2020,
"tags__in": ["AI", "ML"],
"region__ne": "restricted"
},
limit=3,
distance="L2"
)OakDB provides several methods to manage and configure your databases:
# Enable full-text search for a base
ideas.enable_search()
# Disable full-text search
ideas.disable_search()
# Enable vector similarity search
ideas.enable_vector()
# Disable vector similarity search
ideas.disable_vector()Full-text search and vector search can be enabled at the same time.
# Drop entire database (requires confirming database name)
ideas.drop("ideas")