Documentation Β· Discord Β· Forum Β· Web UI
You update a row in your database. The old value is gone.
To get history, you bolt on audit tables, change-data-capture, or event sourcing. Now you have two systems: one for current state, one for history. Querying the past means replaying events or scanning logs. Your "simple" audit requirement just became an infrastructure project.
Git solves this for filesβbut you can't query a Git repository. Event sourcing preserves historyβbut reconstructing past state means replaying from the beginning.
SirixDB is a database where every revision is a first-class citizen. Not an afterthought. Not a log you replay.
// Query revision 1 - instant, not reconstructed
session.beginNodeReadOnlyTrx(1)
// Query by timestamp - which revision was current at 3am last Tuesday?
session.beginNodeReadOnlyTrx(Instant.parse("2024-01-15T03:00:00Z"))
// Both return the same thing: a readable snapshot, as fast as querying "now"This works because SirixDB uses structural sharing: when you modify data, only changed pages are written. Unchanged data is shared between revisions via copy-on-write. Revision 1000 doesn't store 1000 copiesβit stores the current state plus pointers to shared history.
The result:
- Storage: O(changes per revision), not O(total size Γ revisions)
- Read any page from any revision: O(N) page fragment reads, where N is the configurable snapshot window (default 3)
- No event replay, no log scanningβdirect page access
Most databases (if they version at all) track one timeline: when data was written. SirixDB tracks two:
- Transaction time: When was this committed? (system-managed)
- Valid time: When was this true in the real world? (user-managed)
Why does this matter?
January 15: You record "Price = $100, valid from January 1"
January 20: You discover the price was actually $95 on January 1
After correction, you can ask:
"What did we THINK the price was on Jan 16?" β $100 (transaction time)
"What WAS the price on Jan 1?" β $95 (valid time)
Both questions have correct, different answers. Without bitemporal support, the correction destroys the audit trail.
- Append-only storage: Data is never overwritten. New revisions write to new locations.
- Structural sharing: Unchanged pages and nodes are referenced between revisions via copy-on-write.
- Snapshot isolation: Readers see a consistent view; one writer per resource.
- Embeddable: Single JAR, no external dependencies. Or run as REST server.
SirixDB stores data in a persistent tree structure where revisions share unchanged pages and nodes. Traditional databases overwrite data in place and use write-ahead logs for recovery. SirixDB takes a different approach:
All data is written sequentially to an append-only log. Nothing is ever overwritten.
Physical Log (append-only, sequential writes)
ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β [R1:Root] [R1:P1] [R1:P2] [R2:Root] [R2:P1'] [R3:Root] [R3:P2'] ... β
ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
t=0 t=1 t=2 t=3 t=4 t=5 t=6 β time
Each revision has a root node in a trie. Unchanged pages are shared via references.
Revision Roots Page Trie (persistent, copy-on-write)
β
βΌ
[Rev 3] ββββββββββββββββββ¬ββββββββββββββββββ
β β β
[Rev 2] βββββββββ¬βββββββββ€ β
β β β β
[Rev 1] ββββ β β β
β β β β
βΌ βΌ βΌ βΌ
[Rootβ][Rootβ][Rootβ] [Pages...]
β β β
βΌ βΌ βΌ
βββββββββββββββββββββββββββββββββββββββββ
β Shared Page Pool β
β βββββββ βββββββ βββββββ βββββββ β
β β P1 β β P1' β β P2 β β P2' β ... β
β ββββ²βββ ββββ²βββ ββββ²βββ ββββ²βββ β
β β β β β β
β R1,R2 R3 R1,R3 R2 β
β (shared) (shared) β
βββββββββββββββββββββββββββββββββββββββββ
SirixDB supports multiple strategies for storing page versions, configurable per resource:
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
β FULL: Each page stores complete data β
β β
β Rev1: [ββββββββ] Rev2: [ββββββββ] Rev3: [ββββββββ] β
β (full) (full) (full) β
β β
β + Fast reads (no reconstruction) β
β - High storage cost β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β INCREMENTAL: Each page stores diff from previous revision β
β β
β Rev1: [ββββββββ] Rev2: [Ξβ1] Rev3: [Ξβ2] Rev4: [Ξβ3] β
β (full) (diff) (diff) (diff) β
β β
β + Minimal storage β
β - Read cost grows: Rev4 = apply(Ξ3, apply(Ξ2, apply(Ξ1, Rev1))) β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β DIFFERENTIAL: Each page stores diff from a reference snapshot β
β β
β Rev1: [ββββββββ] Rev2: [Ξβ1] Rev3: [Ξβ1] Rev4: [Ξβ1] β
β (full) (diff) (diff) (diff) β
β β
β + Bounded read cost (max 1 diff to apply) β
β - Diffs grow larger over time β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ€
β SLIDING SNAPSHOT: Periodic full snapshots + incremental diffs β
β β
β Rev1: [ββββββββ] Rev2: [Ξβ1] Rev3: [Ξβ2] Rev4: [ββββββββ] Rev5: β
β (full) (diff) (diff) (full) [Ξβ4] β
β βββββββββ window N=3 βββββββββΊ βββββ window βββββΊ β
β β
β + Bounded read cost (max N diffs) β
β + Bounded diff size (reset at each snapshot) β
β = Best balance of storage vs read performance β
βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
When you modify data:
- Only the affected pages are copied and modified (copy-on-write)
- Unchanged pages are referenced from the new revision
- The old revision remains intact and queryable
Storage cost: O(changed pages) per revision, not O(total document size).
Read performance: Opening a revision is O(1) by revision number or O(log R) by timestamp (binary search over R revisions). Each page read requires combining at most N page fragments, where N is the snapshot window size (configurable, default 3). Tree traversal to locate a node is O(log nodes), same as querying the latest revision.
SirixDB provides two CLI tools, both available as instant-startup native binaries:
| Binary | Module | Description |
|---|---|---|
sirix-cli |
sirix-kotlin-cli | Full-featured CLI for database operations |
sirix-shell |
sirix-query | Interactive JSONiq/XQuery shell |
Build native binaries with GraalVM:
# Build both CLIs as native binaries (requires GraalVM with native-image)
./gradlew :sirix-kotlin-cli:nativeCompile # produces: sirix-cli
./gradlew :sirix-query:nativeCompile # produces: sirix-shell
# Or run via JAR
./gradlew :sirix-kotlin-cli:run --args="-l /tmp/mydb create"The -l option specifies the database path. Each database can contain multiple resources.
Create a database and store JSON:
sirix-cli -l /tmp/mydb create json -r myresource -d '{"name": "Alice", "role": "admin"}'Query your data:
sirix-cli -l /tmp/mydb query -r myresourceRun a JSONiq query:
# The context is set to the document root, so access fields directly
sirix-cli -l /tmp/mydb query -r myresource '.name'Update and create a new revision:
sirix-cli -l /tmp/mydb update -r myresource '{"role": "superadmin"}' -im as-first-childQuery a previous revision:
sirix-cli -l /tmp/mydb query -r myresource -rev 1View revision history:
sirix-cli -l /tmp/mydb resource-history myresourceThe interactive shell provides a REPL for JSONiq/XQuery queries:
sirix-shell
> 1 + 1
2
> jn:store('mydb','resource','{"key": "value"}')
> jn:doc('mydb','resource').key
"value"Start SirixDB with Docker:
git clone https://github.com/sirixdb/sirix.git
cd sirix
docker compose upThe REST API runs on https://localhost:9443. See REST API documentation for endpoints.
<dependency>
<groupId>io.sirix</groupId>
<artifactId>sirix-core</artifactId>
<version>0.11.0-SNAPSHOT</version>
</dependency>var dbPath = Path.of("/tmp/mydb");
// Create database and resource
Databases.createJsonDatabase(new DatabaseConfiguration(dbPath));
try (var database = Databases.openJsonDatabase(dbPath)) {
database.createResource(ResourceConfiguration.newBuilder("myresource").build());
// Insert JSON data (creates revision 1)
try (var session = database.beginResourceSession("myresource");
var wtx = session.beginNodeTrx()) {
wtx.insertSubtreeAsFirstChild(JsonShredder.createStringReader("{\"key\": \"value\"}"));
wtx.commit();
}
// Update creates revision 2 (revision 1 remains unchanged)
try (var session = database.beginResourceSession("myresource");
var wtx = session.beginNodeTrx()) {
wtx.moveTo(2); // Move to the "key" node
wtx.setStringValue("updated value");
wtx.commit();
}
// Read from revision 1 - still accessible
try (var session = database.beginResourceSession("myresource");
var rtx = session.beginNodeReadOnlyTrx(1)) {
rtx.moveTo(2);
System.out.println(rtx.getValue()); // Prints: value
}
}SirixDB extends JSONiq/XQuery (via Brackit) with temporal axis and functions.
(: Open specific revision :)
jn:doc('mydb','myresource', 5)
(: Open by timestamp - returns revision valid at that instant :)
jn:open('mydb','myresource', xs:dateTime('2024-01-15T10:30:00Z'))Navigate a node's history across revisions:
(: Single-step navigation :)
jn:previous($node) (: same node in the previous revision :)
jn:next($node) (: same node in the next revision :)
(: Boundary access :)
jn:first($node) (: node in the first revision :)
jn:last($node) (: node in the most recent revision :)
jn:first-existing($node) (: revision where this node first appeared :)
jn:last-existing($node) (: revision where this node last existed :)
(: Range navigation - returns sequences :)
jn:past($node) (: node in all past revisions :)
jn:future($node) (: node in all future revisions :)
jn:all-times($node) (: node across all revisions :)
(: With includeSelf parameter :)
jn:past($node, true()) (: include current revision :)
jn:future($node, true()) (: include current revision :)Example: iterate through all versions of a node:
for $version in jn:all-times(jn:doc('mydb','myresource').users[0])
return {"rev": sdb:revision($version), "data": $version}(: Structured diff between any two revisions :)
jn:diff('mydb','myresource', 1, 5)
(: Diff with optional parameters: startNodeKey, maxLevel :)
jn:diff('mydb','myresource', 1, 5, $nodeKey, 3)For adjacent revisions, jn:diff reads directly from stored change tracking files. For non-adjacent revisions it computes the diff.
If hashes are enabled, you can also detect changes via hash comparison:
(: Find which revisions changed a specific node - requires hashes enabled :)
let $node := jn:doc('mydb','myresource').config
for $v in jn:all-times($node)
let $prev := jn:previous($v)
where empty($prev) or sdb:hash($v) ne sdb:hash($prev)
return sdb:revision($v)Query both time dimensions (see Bitemporal: Two Kinds of Time above for why this matters).
Configure a resource with valid time paths to enable automatic indexing and dedicated query functions:
// Configure resource with valid time paths
var resourceConfig = ResourceConfiguration.newBuilder("employees")
.validTimePaths("validFrom", "validTo") // specify your JSON field names
.buildPathSummary(true)
.build();
database.createResource(resourceConfig);
// Or use conventional field names (_validFrom, _validTo)
var resourceConfig = ResourceConfiguration.newBuilder("employees")
.useConventionalValidTimePaths()
.build();Via REST API, use query parameters when creating a resource:
# Custom valid time field names
curl -X PUT "https://localhost:9443/database/resource?validFromPath=validFrom&validToPath=validTo" \
-H "Content-Type: application/json" \
-d '[{"name": "Alice", "validFrom": "2024-01-01T00:00:00Z", "validTo": "2024-12-31T23:59:59Z"}]'
# Use conventional _validFrom/_validTo fields
curl -X PUT "https://localhost:9443/database/resource?useConventionalValidTime=true" \
-H "Content-Type: application/json" \
-d '[{"name": "Bob", "_validFrom": "2024-01-01T00:00:00Z", "_validTo": "2024-12-31T23:59:59Z"}]'When valid time paths are configured, SirixDB automatically creates CAS indexes on the valid time fields for optimal query performance.
(: Get records valid at a specific point in time :)
jn:valid-at('mydb','myresource', xs:dateTime('2024-07-15T12:00:00Z'))
(: True bitemporal query: combine transaction time and valid time :)
(: "What records were known on Jan 20 and valid on July 15?" :)
jn:open-bitemporal('mydb','myresource',
xs:dateTime('2024-01-20T10:00:00Z'), (: transaction time - opens revision :)
xs:dateTime('2024-07-15T12:00:00Z')) (: valid time - filters via index :)
(: Extract valid time bounds from a node :)
let $record := jn:doc('mydb','myresource')[0]
return {
"validFrom": sdb:valid-from($record),
"validTo": sdb:valid-to($record)
}(: Transaction time: what did the database look like at a point in time? :)
jn:open('mydb','myresource', xs:dateTime('2024-01-15T10:30:00Z'))
(: Get the commit timestamp of current revision :)
sdb:timestamp(jn:doc('mydb','myresource'))
(: Open all revisions within a transaction time range :)
jn:open-revisions('mydb','myresource',
xs:dateTime('2024-01-01T00:00:00Z'),
xs:dateTime('2024-06-01T00:00:00Z'))(: Get revision number and timestamp :)
sdb:revision($node) (: revision number of this node :)
sdb:timestamp($node) (: commit timestamp as xs:dateTime :)
sdb:most-recent-revision($node) (: latest revision number in resource :)
(: Get history of changes to a specific node :)
sdb:item-history($node) (: all revisions where this node changed :)
sdb:is-deleted($node) (: true if node was deleted in a later revision :)
(: Author tracking (if set during commit) :)
sdb:author-name($node)
sdb:author-id($node)
(: Commit with metadata :)
sdb:commit($doc)
sdb:commit($doc, "commit message")
sdb:commit($doc, "commit message", xs:dateTime('2024-01-15T10:30:00Z'))When enabled in resource configuration, SirixDB stores a hash for each node computed from its content and descendants. Use this for:
- Tamper detection
- Efficient change detection (compare subtree hashes instead of traversing)
- Data integrity verification
sdb:hash(jn:doc('mydb','myresource')) (: root hash :)
sdb:hash(jn:doc('mydb','myresource').users[0]) (: subtree hash :)See Query documentation for the full API.
The SirixDB Web GUI provides visualization of revision history and diffs:
git clone https://github.com/sirixdb/sirixdb-web-gui.git
cd sirixdb-web-gui
docker compose -f docker-compose.demo.yml upOpen http://localhost:3000 (login: admin/admin)
Database (directory)
βββ Resource (single JSON or XML document with revision history)
βββ Revisions (numbered 1, 2, 3, ...)
βββ Pages (variable-size blocks containing node data)
- Database: Directory containing multiple resources
- Resource: One logical document with its complete revision history
- Page: Unit of I/O and versioning. Variable-size, immutable once written.
| Aspect | Design | Trade-off |
|---|---|---|
| Write pattern | Append-only | No in-place updates; simpler recovery; larger storage footprint |
| Consistency | Single writer per resource | No write conflicts; readers never blocked |
| Index updates | Synchronous | Queries always see current indexes |
| Node IDs | Stable across revisions | Enables tracking node identity through time |
- Path index: Index specific JSON paths for faster navigation
- CAS index (Content-and-Structure): Index values with type awareness
- Name index: Index object keys
| Feature | SirixDB | Postgres + Audit | Git + JSON | Event Sourcing | Datomic |
|---|---|---|---|---|---|
| Query past state | Direct page access | Scan audit log | Checkout + parse | Replay events | Direct segment access |
| Storage overhead | O(changes) | O(all writes) | O(file Γ revs) | O(all events) | O(changes) |
| Granularity | Node-level | Row-level | File-level | Event-level | Fact-level |
| Bitemporal | Built-in | Manual | No | Manual | Built-in |
| Embeddable | Yes | No | Yes | Varies | No |
| Query language | JSONiq/XQuery | SQL | None | Varies | Datalog |
git clone https://github.com/sirixdb/sirix.git
cd sirix
./gradlew build -x testRequirements:
- Java 25+
- Gradle 9.1+ (or use included wrapper)
JVM flags (required for running):
--enable-preview
--add-exports=java.base/jdk.internal.ref=ALL-UNNAMED
--add-exports=java.base/sun.nio.ch=ALL-UNNAMED
--add-exports=jdk.unsupported/sun.misc=ALL-UNNAMED
--add-opens=java.base/java.lang=ALL-UNNAMED
--add-opens=java.base/java.lang.reflect=ALL-UNNAMED
--add-opens=java.base/java.io=ALL-UNNAMED
--add-opens=java.base/java.util=ALL-UNNAMED
Build native binaries (requires GraalVM):
./gradlew :sirix-kotlin-cli:nativeCompile # sirix-cli
./gradlew :sirix-query:nativeCompile # sirix-shell
./gradlew :sirix-rest-api:nativeCompile # REST API serverbundles/
βββ sirix-core/ # Core storage engine and versioning
βββ sirix-query/ # Brackit JSONiq/XQuery integration + sirix-shell
βββ sirix-kotlin-cli/ # Command-line interface (sirix-cli)
βββ sirix-rest-api/ # Vert.x REST server
βββ sirix-xquery/ # XQuery support for XML
- Audit trails: Regulatory requirements for complete data history (finance, healthcare)
- Document versioning: Track changes to configuration, contracts, or content
- Debugging: Query production state at the time a bug occurred
- Temporal analytics: Analyze how data evolved over time windows
- Undo/restore: Revert to or query any historical state
- Discord - Quick questions and chat
- Forum - Discussions and support
- GitHub Issues - Bug reports and features
Contributions welcome! See CONTRIBUTING.md for guidelines.
SirixDB is maintained by Johannes Lichtenberger and the open source community.
The project originated from Treetank, a university research project by Dr. Marc Kramis, Dr. Sebastian Graf and many students.
Support SirixDB development on Open Collective.