ZoneTree 1.1.8

The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org. Prefix Reserved
There is a newer version of this package available.
See the version list below for details.
dotnet add package ZoneTree --version 1.1.8
NuGet\Install-Package ZoneTree -Version 1.1.8
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="ZoneTree" Version="1.1.8" />
For projects that support PackageReference, copy this XML node into the project file to reference the package.
paket add ZoneTree --version 1.1.8
#r "nuget: ZoneTree, 1.1.8"
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
// Install ZoneTree as a Cake Addin
#addin nuget:?package=ZoneTree&version=1.1.8

// Install ZoneTree as a Cake Tool
#tool nuget:?package=ZoneTree&version=1.1.8

ZoneTree

ZoneTree is a persistent, high-performance, transactional, and ACID-compliant key-value database for .NET. It can operate in memory or on disk. (Optimized for SSDs)

Download

ZoneTree is a lightweight, transactional and high-performance LSM Tree for .NET.

It is four times faster than Facebook's RocksDB.

Why ZoneTree?

  1. It is pure C#.
  2. It is fast. See benchmark below.
  3. Your data is protected against crashes / power cuts.
  4. Supports transactional and non-transactional access with blazing speeds and ACID guarantees.
  5. You can embed your database into your assembly. Therefore, you don't have to pay the cost of maintaining/shipping another database product along with yours.

How fast is it?

Insert Benchmarks 1M 2M 3M 10M
int-int ZoneTree lazy WAL 1024 ms 1828 ms 2987 ms 9852 ms
int-int ZoneTree compressed-immediate WAL 1678 ms 3034 ms 4646 ms 15002 ms
int-int ZoneTree immediate WAL 3410 ms 7297 ms 10546 ms 35151 ms
str-str ZoneTree lazy WAL 2192 ms 4037 ms 5924 ms 19093 ms
str-str ZoneTree compressed-immediate WAL 2888 ms 5087 ms 7498 ms 26188 ms
str-str ZoneTree immediate WAL 4649 ms 9075 ms 13774 ms 47011 ms
int-int RocksDb NOT SUPPORTED
str-str RocksDb immediate WAL NOT SUPPORTED
str-str RocksDb compressed-immediate WAL 8215 ms 16146 ms 23760 ms 72491 ms

Benchmark Configuration:

DiskCompressionBlockSize = 1024 * 1024 * 1; // 1MB
WALCompressionBlockSize = 1024 * 1024; // 1 MB
DiskSegmentMode = DiskSegmentMode.MultipleDiskSegments;

ZoneTree offers 3 WAL modes to let you make a flexible tradeoff.

  • The Immediate mode provides maximum durability but slower write speed. In case of a crash/power cut, the immediate mode ensures that the inserted data is not lost. RocksDb does not have immediate WAL mode. It has a WAL mode similar to the CompressedImmediate mode. (reference:http://rocksdb.org/blog/2017/08/25/flushwal.html)

  • The CompressedImmediate mode provides faster write speed but less durability. Compression requires chunks to be filled before appending them into the WAL file. It is possible to enable a periodic job to persist decompressed tail records into a separate location in a specified interval. See IWriteAheadLogProvider options for more details.

  • The Lazy mode provides faster write speed but less durability. Log entries are queued to be written in a separate thread. Lazy mode uses compression in WAL files and provides immediate tail record persistence.

Environment:

BenchmarkDotNet=v0.13.1, OS=Windows 10.0.22000
Intel Core i7-6850K CPU 3.60GHz (Skylake), 1 CPU, 12 logical and 6 physical cores
64 GB DDR4 Memory
SSD: Samsung SSD 850 EVO 1TB
Config: 1M mutable segment size, 2M readonly segments merge-threshold

How to use ZoneTree?

The following sample demonstrates creating a database.

  var dataPath = "data/mydatabase";
  using var zoneTree = new ZoneTreeFactory<int, string>()
    .SetComparer(new Int32ComparerAscending())
    .SetDataDirectory(dataPath)
    .SetKeySerializer(new Int32Serializer())
    .SetValueSerializer(new Utf8StringSerializer())
    .OpenOrCreate();
    
    // atomic (thread-safe) on single mutable-segment.
    zoneTree.Upsert(39, "Hello Zone Tree!");
    
    // atomic across all segments
    zoneTree.TryAtomicAddOrUpdate(39, "a", (x) => x + "b");

How to maintain LSM Tree?

Big LSM Trees require maintenance tasks. ZoneTree provides the IZoneTreeMaintenance interface to give you full power on maintenance tasks. It also comes with a default maintainer to let you focus on your business logic without wasting time with LSM details. You can start using the default maintainer like in the following sample code. Note: For small data you don't need a maintainer.

  var dataPath = "data/mydatabase";

  // 1. Create your ZoneTree
  using var zoneTree = new ZoneTreeFactory<int, string>()
    .SetComparer(new Int32ComparerAscending())
    .SetDataDirectory(dataPath)
    .SetKeySerializer(new Int32Serializer())
    .SetValueSerializer(new Utf8StringSerializer())
    .OpenOrCreate();
 
  using var maintainer = new BasicZoneTreeMaintainer<int, string>(zoneTree);

  // 2. Read/Write data
  zoneTree.Upsert(39, "Hello ZoneTree!");

  // 3. Complete maintainer running tasks.
  maintainer.CompleteRunningTasks();

How to delete keys?

In LSM trees, the deletions are handled by upserting key/value with deleted flag. Later on, during the compaction stage, the actual deletion happens. ZoneTree does not implement this flag format by default. It lets the user to define the suitable deletion flag themselves. For example, the deletion flag might be defined by user as -1 for int values. If user wants to use any int value as a valid record, then the value-type should be changed. For example, one can define the following struct and use this type as a value-type.

[StructLayout(LayoutKind.Sequential)]
struct MyDeletableValueType {
   int Number; 
   bool IsDeleted; 
}

You can micro-manage the tree size with ZoneTree. The following sample shows how to configure the deletion markers for your database.

using var zoneTree = new ZoneTreeFactory<int, int>()
  // Additional stuff goes here
  .SetIsValueDeletedDelegate((in int x) => x == -1)
  .SetMarkValueDeletedDelegate((ref int x) => x = -1)
  .OpenOrCreate();  

or

using var zoneTree = new ZoneTreeFactory<int, MyDeletableValueType>()
  // Additional stuff goes here
  .SetIsValueDeletedDelegate((in MyDeletableValueType x) => x.IsDeleted)
  .SetMarkValueDeletedDelegate((ref MyDeletableValueType x) => x.IsDeleted = true)
  .OpenOrCreate();  

If you forget to provide the deletion marker delegates, you can never delete the record from your database.

How to iterate over data?

Iteration is possible in both directions, forward and backward. Unlike other LSM tree implementations, iteration performance is equal in both directions. The following sample shows how to do the iteration.

 using var zoneTree = new ZoneTreeFactory<int, int>()
    // Additional stuff goes here
    .OpenOrCreate();
 using var iterator = zoneTree.CreateIterator();
 while(iterator.Next()) {
    var key = iterator.CurrentKey;
    var value = iterator.CurrentValue;
 } 
 
 using var reverseIterator = zoneTree.CreateReverseIterator();
 while(reverseIterator.Next()) {
    var key = reverseIterator.CurrentKey;
    var value = reverseIterator.CurrentValue;
 }

How to iterate starting with a key (Seekable Iterator)?

ZoneTreeIterator provides Seek() method to jump into any record with in O(log(n)) complexity. That is useful for doing prefix search with forward-iterator or with backward-iterator.

 using var zoneTree = new ZoneTreeFactory<string, int>()
    // Additional stuff goes here
    .OpenOrCreate();
 using var iterator = zoneTree.CreateIterator();
 // iterator jumps into the first record starting with "SomePrefix" in O(log(n)) complexity. 
 iterator.Seek("SomePrefix");
 
 //iterator.Next() complexity is O(1)
 while(iterator.Next()) {
    var key = iterator.CurrentKey;
    var value = iterator.CurrentValue;
 } 

Transaction Support

ZoneTree supports Optimistic Transactions. It is proud to announce that the ZoneTree is ACID-compliant. Of course, you can use non-transactional API for the scenarios where eventual consistency is sufficient.

ZoneTree supports 3 way of doing transactions.

  1. Fluent Transactions with ready to use retry capability.
  2. Classical Transaction API.
  3. Exceptionless Transaction API.

The following sample shows how to do the transactions with ZoneTree Fluent Transaction API.

using var zoneTree = new ZoneTreeFactory<int, int>()
    // Additional stuff goes here
    .OpenOrCreateTransactional();
using var transaction =
    zoneTree
        .BeginFluentTransaction()
        .Do((tx) => zoneTree.UpsertNoThrow(tx, 3, 9))
        .Do((tx) =>
        {
            if (zoneTree.TryGetNoThrow(tx, 3, out var value).IsAborted)
                return TransactionResult.Aborted();
            if (zoneTree.UpsertNoThrow(tx, 3, 21).IsAborted)
                return TransactionResult.Aborted();
            return TransactionResult.Success();
        })
        .SetRetryCountForPendingTransactions(100)
        .SetRetryCountForAbortedTransactions(10);
    await transaction.CommitAsync();

The following sample shows traditional way of doing transactions with ZoneTree.

 using var zoneTree = new ZoneTreeFactory<int, int>()
    // Additional stuff goes here
    .OpenOrCreateTransactional();
 try 
 {
     var txId = zoneTree.BeginTransaction();
     zoneTree.TryGet(txId, 3, out var value);
     zoneTree.Upsert(txId, 3, 9);
     var result = zoneTree.Prepare(txId);
     while (result.IsPendingTransactions) {
         Thread.Sleep(100);
         result = zoneTree.Prepare(txId);
     }
     zoneTree.Commit(txId);
  }
  catch(TransactionAbortedException e)
  {
      //retry or cancel
  }

Features

ZoneTree Features
Works with .NET primitives, structs and classes.
High Speed and Low Memory consumption.
Crash Resilience
Optimum disk space utilization.
WAL and DiskSegment data compression.
Very fast load/unload.
Standard read/upsert/delete functions.
Optimistic Transaction Support
Atomic Read Modify Update
Can work in memory.
Can work with any disk device including cloud devices.
Supports optimistic transactions.
Supports Atomicity, Consistency, Isolation, Durability.
Supports Read Committed Isolation.
Immediate and Lazy modes for write ahead log.
Audit support with incremental transaction log backup.
Live backup.
Configurable amount of data that can stay in memory.
Partially (with sparse arrays) or completely load/unload data on disk to/from memory.
Forward/Backward iteration.
Allow optional dirty reads.
Embeddable.
Optimized for SSDs.
Exceptionless Transaction API.
Fluent Transaction API with ready to use retry capabilities.
Easy Maintenance.
Configurable LSM merger.
Transparent and simple implementation that reveals your database's internals.
Fully open-source with unrestrictive MIT license.
Transaction Log compaction.
Analyze / control transactions.
Concurrency Control with minimum overhead by novel separation of Concurrency Stamps and Data.
TTL support.
Use your custom serializer for keys and values.
Use your custom comparer.
MultipleDiskSegments Mode to enable dividing data files into configurable sized chunks.

I need more information. Where can I find it?

I am going to write more detailed documentation as soon as possible.

I want to contribute. What can I do?

I appreciate any contribution to the project. These are the things I do think we need at the moment:

  1. Write tests / benchmarks.
  2. Write documentation.
  3. Convert documentation to a website using static site generators.
  4. Feature requests & bug fixes.
  5. Performance improvements.
Product Compatible and additional computed target framework versions.
.NET net6.0 is compatible.  net6.0-android was computed.  net6.0-ios was computed.  net6.0-maccatalyst was computed.  net6.0-macos was computed.  net6.0-tvos was computed.  net6.0-windows was computed.  net7.0 was computed.  net7.0-android was computed.  net7.0-ios was computed.  net7.0-maccatalyst was computed.  net7.0-macos was computed.  net7.0-tvos was computed.  net7.0-windows was computed.  net8.0 was computed.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.
  • net6.0

    • No dependencies.

NuGet packages (3)

Showing the top 3 NuGet packages that depend on ZoneTree:

Package Downloads
DifferentialComputeDotNet.Core

Package Description

ManagedCode.ZoneTree.BlobFileSystem The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Azure Blob FileSystem for ZoneTree

ManagedCode.Database.ZoneTree The ID prefix of this package has been reserved for one of the owners of this package by NuGet.org.

Repository for ZoneTree

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last updated
1.7.0 466 12/12/2023
1.6.9 539 9/13/2023
1.6.8 110 9/13/2023
1.6.7 121 9/13/2023
1.6.6 156 8/18/2023
1.6.5 169 6/17/2023
1.6.4 118 6/16/2023
1.6.3 167 5/29/2023
1.6.2 16,150 5/26/2023
1.6.1 256 4/5/2023
1.6.0 1,695 1/14/2023
1.5.9 282 1/14/2023
1.5.8 957 11/20/2022
1.5.7 352 11/14/2022
1.5.6 331 11/13/2022
1.5.5 437 10/20/2022
1.5.2 467 9/14/2022
1.5.1 405 9/3/2022
1.5.0 389 9/2/2022
1.4.9 388 8/31/2022
1.4.8 369 8/30/2022
1.4.7 389 8/30/2022
1.4.6 400 8/29/2022
1.4.5 415 8/28/2022
1.4.4 582 8/27/2022
1.4.3 403 8/26/2022
1.4.2 393 8/26/2022
1.4.1 364 8/26/2022
1.4.0 392 8/25/2022
1.3.9 377 8/25/2022
1.3.8 397 8/24/2022
1.3.7 643 8/23/2022
1.3.6 379 8/22/2022
1.3.5 400 8/22/2022
1.3.4 393 8/21/2022
1.3.3 381 8/18/2022
1.3.2 409 8/17/2022
1.3.1 380 8/17/2022
1.3.0 388 8/17/2022
1.2.9 379 8/16/2022
1.2.8 372 8/15/2022
1.2.7 398 8/15/2022
1.2.6 388 8/13/2022
1.2.5 404 8/13/2022
1.2.4 383 8/13/2022
1.2.3 412 8/9/2022
1.2.2 382 8/9/2022
1.2.1 426 8/9/2022
1.2.0 429 8/8/2022
1.1.9 401 8/8/2022
1.1.8 391 8/8/2022
1.1.7 413 8/8/2022
1.1.6 397 8/7/2022
1.1.5 408 8/6/2022
1.1.4 406 8/6/2022
1.1.3 400 8/5/2022
1.1.2 410 8/5/2022
1.1.1 406 7/27/2022
1.1.0 409 7/27/2022
1.0.9 399 7/25/2022
1.0.8 399 7/24/2022
1.0.7 374 7/23/2022
1.0.6 398 7/20/2022
1.0.5 414 7/18/2022
1.0.4 415 7/11/2022
1.0.3 452 7/11/2022
1.0.2 440 7/11/2022
1.0.1 427 7/6/2022
1.0.0 417 7/6/2022