LiteDB - A .NET NoSQL Document Store

Welcome to LiteDB documentation Wiki pages. Here you will find all information you need to know better LiteDB and how you can work.

Documentation for v.1.0.x

Getting Started

LiteDB is a simple, fast and lightweight embedded .NET document database. LiteDB was inspired by the MongoDB database and its API is very similar to MongoDB’s official .NET API.

How to install

LiteDB is a serverless database, so there is no installation. Just copy LiteDB.dll into your Bin folder and add it as Reference. Or, if you prefer, you can install via NuGet: Install-Package LiteDB. If you are running in a web environment, make sure that your IIS user has write permission to the data folder.

First example

A quick example to store and search for documents:

  1. // Create your POCO class entity
  2. public class Customer
  3. {
  4. public int Id { get; set; }
  5. public string Name { get; set; }
  6. public string[] Phones { get; set; }
  7. public bool IsActive { get; set; }
  8. }
  9. // Open database (or create if doesn't exist)
  10. using(var db = new LiteDatabase(@"C:\Temp\MyData.db"))
  11. {
  12. // Get a collection (or create, if doesn't exist)
  13. var col = db.GetCollection<Customer>("customers");
  14. // Create your new customer instance
  15. var customer = new Customer
  16. {
  17. Name = "John Doe",
  18. Phones = new string[] { "8000-0000", "9000-0000" },
  19. IsActive = true
  20. };
  21. // Insert new customer document (Id will be auto-incremented)
  22. col.Insert(customer);
  23. // Update a document inside a collection
  24. customer.Name = "Joana Doe";
  25. col.Update(customer);
  26. // Index document using document Name property
  27. col.EnsureIndex(x => x.Name);
  28. // Use LINQ to query documents
  29. var results = col.Find(x => x.Name.StartsWith("Jo"));
  30. }

Working with files

Need to store files? No problem: use FileStorage.

  1. // Upload a file from file system to database
  2. db.FileStorage.Upload("my-photo-id", @"C:\Temp\picture-01.jpg");
  3. // And download later
  4. db.FileStorage.Download("my-photo-id", @"C:\Temp\copy-of-picture-01.jpg");

Data Structure

LiteDB stores data as documents, which are JSON-like field and value pairs. Documents are a schema-less data structure. Each document has your data and structure together.

  1. {
  2. _id: 1,
  3. name: { first: "John", last: "Doe" },
  4. age: 37,
  5. salary: 3456.0,
  6. createdDate: { $date: "2014-10-30T00:00:00.00Z" },
  7. phones: ["8000-0000", "9000-0000"]
  8. }
  • _id contains document primary key - an unique value in collection
  • name containts an embedded document with first and last fields
  • age contains a Int32 value
  • salary contains a Double value
  • createDate contains a DateTime value
  • phones contains an array of String

LiteDB stores documents in collections. A collection is a group of related documents that have a set of shared indices. Collections are analogous to a table in relational databases.

BSON

LiteDB stores documents in the BSON (Binary JSON) data format. BSON is a binary representation of JSON with additional type information. In the documents, the value of a field can be any of the BSON data types, including other documents, arrays, and arrays of documents. BSON is a fast and simple way to serialize documents in binary format.

LiteDB uses only a subset of BSON data types. See all supported LiteDB BSON data types and .NET equivalents.

BSON Type .NET type
MinValue -
Null Any .NET object with null value
Int32 System.Int32
Int64 System.Int64
Double System.Double
String System.String
Document System.Collection.Generic.Dictionary<string, BsonValue>
Array System.Collection.Generic.List<BsonValue>
Binary System.Byte[]
ObjectId LiteDB.ObjectId
Guid System.Guid
Boolean System.Boolean
DateTime System.DateTime
MaxValue -

JSON Extended

To serialize a document to JSON, LiteDB uses an extended version of JSON so as not to lose any BSON type information that does not exist in JSON. Extended data type is represented as an embedded document, using an initial $ key and value as string.

BSON data type JSON representation Description
ObjectId { "$oid": "507f1f55bcf96cd799438110" } 12 bytes in hex format
Date { "$date": "2015-01-01T00:00:00Z" } UTC and ISO-8601 format
Guid { "$guid": "ebe8f677-9f27-4303-8699-5081651beb11" }
Binary { "$binary": "VHlwZSgaFc3sdcGFzUpcmUuLi4=" } Byte array in base64 string format
Int64 { "$numberLong": "12200000" }
MinValue { "$minValue": "1" }
MaxValue { "$maxValue": "1" }

LiteDB implements JSON in its JsonSerializer static class. Serialize and deserialize only accepts BsonValues as input/output. If you want convert your object type to a BsonValue, you need use a BsonMapper.

  1. var customer = new Customer { Id = 1, Name = "John Doe" };
  2. var doc = BsonMapper.Global.ToDocument(customer);
  3. var jsonString = JsonSerialize.Serialize(doc, pretty, includeBinaryData);

JsonSerialize also supports TextReader and TextWriter to read/write directly from a file or Stream.

ObjectId

ObjectId is a 12 bytes BSON type:

  • Timestamp: Value representing the seconds since the Unix epoch (4 bytes)
  • Machine: Machine identifier (3 bytes)
  • Pid: Process id (2 bytes)
  • Increment: A counter, starting with a random value (3 bytes)

In LiteDB, documents are stored in a collection that requires a unique _id field that acts as a primary key. Because ObjectIds are small, most likely unique, and fast to generate, LiteDB uses ObjectIds as the default value for the _id field if the _id field is not specified.

Unlike the Guid data type, ObjectIds are sequential, so it’s a better solution for indexing. ObjectIds use hexadecimal numbers represented as strings.

  1. var id = ObjectId.NewObjectId();
  2. // You can get creation datetime from an ObjectId
  3. var date = id.CreationTime;
  4. // ObjectId is represented in hex value
  5. Debug.Print(id);
  6. "507h096e210a18719ea877a2"
  7. // Create an instance based on hex representation
  8. var nid = new ObjectId("507h096e210a18719ea877a2");

BsonDocument

The BsonDocument class is LiteDB’s implementation of documents. Internally, a BsonDocument stores key-value pairs in a Dictionary<string, BsonValue>.

  1. var customer = new BsonDocument();
  2. customer["_id"] = ObjectId.NewObjectId();
  3. customer["Name"] = "John Doe";
  4. customer["CreateDate"] = DateTime.Now;
  5. customer["Phones"] = new BsonArray { "8000-0000", "9000-000" };
  6. customer["IsActive"] = true;
  7. customer["IsAdmin"] = new BsonValue(true);
  8. customer.Set("Address.Street", "Av. Protasio Alves, 1331");

About document field keys:

  • Keys must contains only letters, numbers or _ and -
  • Keys are case-sensitive
  • Duplicate keys are not allowed
  • LiteDB keeps the original key order, including mapped classes. The only exception is for _id field that will always be the first field.

About document field values:

  • Values can be any BSON value data type: Null, Int32, Int64, Double, String, Embedded Document, Array, Binary, ObjectId, Guid, Boolean, DateTime, MinValue, MaxValue
  • When a field is indexed, the value must be less then 512 bytes after BSON serialization.
  • Non-indexed values themselves have no size limit, but the whole document is limited to 1Mb after BSON serialization. This size includes all extra bytes that are used by BSON.
  • _id field cannot be: Null, MinValue or MaxValue
  • _id is unique indexed field, so value must be less then 512 bytes

About .NET classes

  • BsonValue
    • This class can hold any BSON data type, including null, array or document.
    • Has implicit constructor to all supported .NET data types
    • Value never changes
    • RawValue property that returns internal .NET object instance
  • BsonArray
    • Supports IEnumerable<BsonValue>
    • Each array item can have different BSON type objects
  • BsonDocument
    • Missing fields always return BsonValue.Null value
    • Set and Get methods can be used with dotted notation to access/create inner documents
  1. // Testing BSON value data type
  2. if(customer["Name"].IsString) { ... }
  3. // Helper to get .NET type
  4. string str = customer["Name"].AsString;

To use other .NET data types you need a custom BsonMapper class.

Object Mapping

LiteDB supports POCO classes to strongly type documents. When you get a LiteCollection instance from LiteDatabase.GetCollection<T>, <T> will be your document type. If <T> is not a BsonDocument, LiteDB internally maps your class to BsonDocument. To do this, LiteDB uses the BsonMapper class:

  1. // Simple strongly-typed document
  2. public class Customer
  3. {
  4. public ObjectId CustomerId { get; set; }
  5. public string Name { get; set; }
  6. public DateTime CreateDate { get; set; }
  7. public List<Phone> Phones { get; set; }
  8. public bool IsActive { get; set; }
  9. }
  10. var typedCustomerCollection = db.GetCollection<Customer>("customer");
  11. var schemelessCollection = db.GetCollection("customer"); // <T> is BsonDocument

Mapper conventions

BsonMapper.ToDocument() auto converts each property of a class to a document field following these conventions:

  • Classes must be public with a public parameterless constructor
  • Properties must be public
  • Properties can be read-only or read/write
  • The class must have an Id property, <ClassName>Id property or any property with [BsonId] attribute
  • A property can be decorated with [BsonIgnore] to not be mapped to a document field
  • A property can be decorated with [BsonField] to customize the name of the document field
  • No circular references are allowed
  • Max depth of 20 inner classes
  • Class fields are not converted to document
  • BsonMapper uses a global instance that caches mapping information for better performance. This instance is available at LiteDatabase.Mapper as well.

In addition to basic BSON types, BsonMapper maps others .NET types to BSON data type:

.NET type BSON type
Int16, UInt16, Byte Int32
UInt32 , UInt64 Int64
Single, Decimal Double
Char, Enum String
IList<T> Array
T[] Array
NameValueCollection Document
IDictionary<K,T> Document
Any other .NET type Document
  • Nullable<T> are accepted. If value is null the BSON type is Null, otherwise the mapper will use T?.
  • For IDictionary<K, T>, K key must be String or simple type (convertible using Convert.ToString(..)).

Register a custom type (Needs updating as BsonMapper.Global is not available in LiteDB 2.0)

You can register your own map function, using the RegisterType<T> instance method. To register, you need to provide both serialize and deserialize functions.

  1. BsonMapper.Global.RegisterType<Uri>
  2. (
  3. serialize: (uri) => uri.AbsoluteUri,
  4. deserialize: (bson) => new Uri(bson.AsString)
  5. );
  • serialize functions pass a <T> object instance as the input parameter and expect return a BsonValue
  • deserialize function pass a BsonValue object as the input parameter and except return a <T> value
  • RegisterType supports complex objects via BsonDocument or BsonArray

Mapping options

BsonMapper class settings:

Name Default Description
SerializeNullValues false Serialize field if value is null
TrimWhitespace true Trim strings properties before mapping to document
EmptyStringToNull true Empty strings convert to null
ResolvePropertyName (s) => s A function to map property name to document field name

BsonMapper offers 2 predefined functions to resolve property name: UseCamelCase() and UseLowerCaseDelimiter('_').

  1. BsonMapper.Global.UseLowerCaseDelimiter('_');
  2. public class Customer
  3. {
  4. public int CustomerId { get; set; }
  5. public string FirstName { get; set; }
  6. [BsonField("customerLastName")]
  7. public string LastName { get; set; }
  8. }
  9. var doc = BsonMapper.Global.ToDocument(new Customer { FirstName = "John", LastName = "Doe" });
  10. var id = doc["_id"].AsInt;
  11. var john = doc["first_name"].AsString;
  12. var doe = doc["customerLastName"].AsString;

AutoId

By default, typed documents will receive an auto Id value on insert. LiteDB support auto-id for this data types:

.NET data type New Value
ObjectId ObjectId.NewObjectId()
Guid Guid.NewGuid()
Int32 Auto-increment, per collection, starting in 1

But if you don’t want to use any of the built-in methods, or want to use another data type for Id, you can set it yourself:

  1. var customer = new Customer { Id = "john-doe", Name = "John Doe" };

You also can create your own auto-id function, using RegisterAutoId<T>:

  1. BsonMapper.Global.RegisterAutoId<long>
  2. (
  3. isEmpty: (value) => value == 0,
  4. newId: (collection) => DateTime.UtcNow.Ticks
  5. );
  6. public class Calendar
  7. {
  8. public long CalendarId { get; set; }
  9. }
  • isEmpty returns true to indicate when this type is considered empty. In this example, zero will be an empty value.
  • newId returns a new id value. It takes a LiteCollection<BsonDocument> instance as an input parameter that you may use to determine the new Id. In this example, the collection is ignored and the current Ticks value is returned.

Index definition

BsonMapper supports index definition directly on a property using the [BsonIndex] attribute. You can define index options like Unique or IgnoreCase. This allows you to avoid always needing to call col.EnsureIndex("field") before running a query.

  1. public class Customer
  2. {
  3. public int Id { get; set; }
  4. [BsonIndex]
  5. public string Name { get; set; }
  6. [BsonIndex(new IndexOptions { Unique = true, EmptyStringToNull = false, RemoveAccents = false })]
  7. public string Email { get; set; }
  8. }

IndexOptions class settings:

Name Default Description
Unique false Do not allow duplicates values in index
IgnoreCase true Store string on index in lowercase
RemoveAccents true Store string on index removing accents
TrimWhitespace true Store string on index removing trimming spaces
EmptyStringToNull true If string is empty, convert to Null

To get better performance, [BsonIndex] checks only if the index exists, but does not check if you are changing options. To change an index option in a existing index you must run EnsureIndex with the new index options. This method drops the current index and creates a new one with the new options.

Do not use [BsonIndex] attribute on your Id primary key property. This property already has an unique index with the default options.

Collections

Documents are stored and organized in collections. LiteCollection is a generic class to manage collections in LiteDB. Each collection must have a unique name:

  • Contains only letters, numbers and _
  • Collection names are case insensitive
  • Collection names starting with _ are reserved for internal use

LiteDB supports up to 256 collections per database.

Collections are auto created on first Insert or EnsureIndex operation. Running a query, delete or update on a document in a non existing collection does not create one.

LiteCollection<T> is a generic class that can be used with <T> as BsonDocument for schema-less documents. Internally LiteDB converts T to BsonDocument and all operations use the this generic document.

In this example, both code snippets produce the same results.

  1. // Strong Type Class
  2. using(var db = new LiteDatabase("mydb.db"))
  3. {
  4. // Get collection instance
  5. var col = db.GetCollection<Customer>("customer");
  6. // Insert document to collection - if collection do not exits, create now
  7. col.Insert(new Customer { Id = 1, Name = "John Doe" });
  8. // Create, if not exists, new index on Name field
  9. col.EnsureIndex(x => x.Name);
  10. // Now, search for document your document
  11. var customer = col.FindOne(x => x.Name == "john doe");
  12. }
  13. // Generic BsonDocument
  14. using(var db = new LiteDatabase("mydb.db"))
  15. {
  16. // Get collection instance
  17. var col = db.GetCollection("customer");
  18. // Insert document to collection - if collection do not exits, create now
  19. col.Insert(new BsonDocument().Add("_id", 1).Add("Name", "John Doe"));
  20. // Create, if not exists, new index on Name field
  21. col.EnsureIndex("Name");
  22. // Now, search for document your document
  23. var customer = col.FindOne(Query.EQ("Name", "john doe"));
  24. }

LiteDatabase API Instance Methods

  • GetCollection<T> - This method returns a new instance of LiteCollection. If <T> if ommited, <T> is BsonDocument. This is the only way to get a collection instance.
  • RenameCollection - Rename a collection name only - do not change any document
  • CollectionExists - Check if a collection already exits in database
  • GetCollectionNames - Get all collections names in database
  • DropCollection - Delete all documents, all indexes and the collection reference on database

LiteCollection API Instance Methods

  • Insert - Inserts a new document or an IEnumberable of documents. If your document has no _id field, Insert will create a new one using ObjectId. If you have a mapped object, AutoId can be used. See Object Mapping
  • InsertBulk - Used for inserting a high volume of documents. Breaks documents into batches and controls transaction per batch. This method keeps memory usage low by cleaning a cache after each batch inserted.
  • Update - Update one document identified by _id field. If not found, returns false
  • Delete - Delete document by _id or by a Query result. If not found, returns false
  • Find - Find documents using LiteDB queries. See Query
  • EnsureIndex - Create a new index in a field. See Indexes
  • DropIndex - Drop an existing index

Using DbRef<T>

LiteDB is a document database, so there is no JOIN between collections. If you need reference a document in another document you can use DbRef<T>. This document reference can be loaded when the database is initialized or when a query is run, or after a query is finished.

Mapping a reference on database initialization

  1. public class Customer
  2. {
  3. public int CustomerId { get; set; }
  4. public string Name { get; set; }
  5. }
  6. public class Order
  7. {
  8. [BsonId]
  9. public int OrderNumber { get; set; }
  10. public DateTime OrderDate { get; set; }
  11. public Customer[] Customers { get; set; }
  12. }
  13. public class DatabaseSubclass : LiteDatabase {
  14. protected override void OnModelCreating(BsonMapper mapper) {
  15. mapper.Entity<Order>()
  16. .DbRef(x => x.Customers, "CustomersCollection" );
  17. }
  18. }

Mapping a reference on or after a query

  1. public class Customer
  2. {
  3. public int CustomerId { get; set; }
  4. public string Name { get; set; }
  5. }
  6. public class Order
  7. {
  8. [BsonId]
  9. public int OrderNumber { get; set; }
  10. public DateTime OrderDate { get; set; }
  11. public DbRef<Customer> Customer { get; set; }
  12. }
  13. // Getting customer and order collections
  14. var customers = db.GetCollection<Customer>("customers");
  15. var orders = db.GetCollection<Order>("orders");
  16. // Creating a new Customer instance
  17. var customer = new Customer { CustomerId = 5, Name = "John Doe" };
  18. customers.Insert(customer);
  19. // Create a instance of Order and reference to Customer John
  20. var order = new Order
  21. {
  22. OrderNumber = 1,
  23. OrderDate = DateTime.Now,
  24. Customer = new DbRef<Customer>(customers, customer.CustomerId)
  25. };
  26. orders.Insert(order);

At this point you have a Order document like this:

  1. {
  2. _id: 1,
  3. OrderDate: { $date: "2015-01-01T00:00:00Z" },
  4. Customer: { $ref: "customers", $id: 5 }
  5. }

To query Order and returns Customer information use Include method

  1. // Include Customer document during query process
  2. var order = orders
  3. .Include((c) => c.Customer.Fetch(db))
  4. .Find(o => o.OrderDate == DateTime.Now);
  5. var john = order.Customer.Item.CustomerName;
  6. // Or include later...
  7. var john = order.Customer.Fetch(db).CustomerName

FileStorage

To keep its memory profile slim, LiteDB has a limited document size of 1Mb. For text documents, this is a huge size. But for many binary files, 1Mb is too small. LiteDB therefore implements FileStorage, a custom collection to store files and streams.

LiteDB uses two special collections to split file content in chunks:

  • _files collection stores file reference and metadata only
  1. {
  2. _id: "my-photo",
  3. filename: "my-photo.jpg",
  4. mimeType: "image/jpg",
  5. length: { $numberLong: "2340000" },
  6. uploadDate: { $date: "2015-01-01T00:00:00Z" },
  7. metadata: { "key1": "value1", "key2": "value2" }
  8. }
  • _chunks collection stores binary data in 1MB chunks.
  1. {
  2. _id: "my-photo\00001",
  3. data: { $binary: "VHlwZSAob3Igc ... GUpIGhlcmUuLi4" }
  4. }
  5. {
  6. _id: "my-photo\00002",
  7. data: { $binary: "pGaGhlcmUuLi4 ... VHlwZSAob3Igc" }
  8. }
  9. {
  10. ...
  11. }

Files are identified by an _id string value, with following rules:

  • Starts with a letter, number, _, -, $, @, !, +, %, ; or .
  • If contains a /, must be sequence with chars above

To better organize many files, you can use _id as a directory/file_id. This will be a great solution to quickly find all files in a directory using the Find method.

Example: $/photos/2014/picture-01.jpg

The FileStorage collection contains simple methods like:

  • Upload: Send file or stream to database. Can be used with file or Stream. If file already exits, file content is overwritten.
  • Download: Get your file from database and copy to Stream parameter
  • Delete: Delete a file reference and all data chunks
  • Find: Find one or many files in _files collection. Returns LiteFileInfo class, that can be download data after.
  • SetMetadata: Update stored file metadata. This method doesn’t change the value of the stored file. It updates the value of _files.metadata.
  • OpenRead: Find file by _id and returns a LiteFileStream to read file content as stream
  1. // Upload a file from file system
  2. db.FileStorage.Upload("$/photos/2014/picture-01.jpg", @"C:\Temp\picture-01.jpg");
  3. // Upload a file from a Stream
  4. db.FileStorage.Upload("$/photos/2014/picture-01.jpg", strem);
  5. // Find file reference only - returns null if not found
  6. LiteFileInfo file = db.FileStoage.FindById("$/photos/2014/picture-01.jpg");
  7. // Now, load binary data and save to file system
  8. file.SaveAs(@"C:\Temp\new-picture.jpg");
  9. // Or get binary data as Stream and copy to another Stream
  10. file.CopyTo(Response.OutputStream);
  11. // Find all files references in a "directory"
  12. var files = db.FileStoage.Find("$/photos/2014/");

FileStorage does not support transactions to avoid putting all of the file in memory before storing it on disk. Transactions are used per chunk. Each uploaded chunk is committed in a single transaction.

FileStorage keeps _files.length at 0 when uploading each chunk. When all chunks finish uploading FileStorage updates _files.length by aggregating the size of each chunk. If you try to download a zero bytes length file, the uploaded file is corrupted. A corrupted file doesn’t necessarily mean a corrupt database.

Using Indexes

LiteDB improves search performance by using indices on document fields. Each index stores the value of a specific field ordered by the value (and type) of the field. Without an index, LiteDB must execute a query using a full document scan. Full document scans are inefficient because LiteDB must deserialize all documents to test each one by one.

Index Implementation

LiteDB uses the a simple index solution: Skip Lists. Skip lists are double linked sorted list with up to 32 levels. Skip lists are super easy to implement (only 15 lines of code) and statistically balanced. The results are great: insert and find results has an average of O(ln n) = 1 milion of documents = 13 steps. If you want to know more about skip lists, see this great video.

Documents are schema-less, even if they are in the same collection. So, you can create an index on a field that can be one type in one document and another type in another document. When you have a field with different types, LiteDB compares only the types. Each type has an order:

BSON Type Order
MinValue 1
Null 2
Int32, Int64, Double 3
String 4
Document 5
Array 6
Binary 7
ObjectId 8
Guid 9
Boolean 10
DateTime 11
MaxValue 12
  • Numbers (Int32, Int64 or Double) have the same order. If you mix these number types in the same document field, LiteDB will convert them to Double when comparing.

IndexOptions

LiteDB has some options that you can use when you are creating a new index. These options can’t be modified after the index is created. If an index needs to be altered, LiteDB drops the current index and creates a new one.

  • Unique - Defines an index that has only unique values.
  • IgnoreCase - Convert field value to lower case. (String only)
  • RemoveAccents - Remove all accents on field value (áéíóú => aeiou) (String only)
  • TrimWhitespace - Apply String.Trim() on field value. (String only)
  • EmptyStringToNull - If field value are empty convert to BsonValue.Null. (String only)

Note: a change to an index value does not effect the indexed document’s field value. These rules are applied only to the value stored in the index.

EnsureIndex()

Indices are created via LiteCollection.EnsureIndex. This instance method ensures an index: create the index if it does not exist, re-creates if the index options are different from the existing index, or does nothing if the index is unchanged.

Another way to ensure the creation of an index is to use the [BsonIndex] class attribute. This attribute will be read and will run EnsureIndex the first time you query. For performance reasons, this method checks only if the index exists and no index options have changed.

Indices are identified by document field name. LiteDB only supports 1 field per index, but this field can be any BSON type, even an embedded document.

  1. {
  2. _id: 1,
  3. Address:
  4. {
  5. Street: "Av. Protasio Alves, 1331",
  6. City: "Porto Alegre",
  7. Country: "Brazil"
  8. }
  9. }
  • You can use EnsureIndex("Address") to create an index to all Address embedded document
  • Or EnsureIndex("Address.Street") to create an index on Street using dotted notation
  • Indices are executed as BsonDocument fields. If you are using a custom ResolvePropertyName or [BsonField] attribute, you must use your document field name and not the property name. See Object Mapping.
  • You can use a lambda expression to define an index field in a strongly typed collection: EnsureIndex(x => x.Name)

Limitations

  • Index values must have less than 512 bytes (after BSON serialization)
  • Max of 16 indexes per collections - including the _id primary key
  • [BsonIndex] is not supported in embedded documents

Queries

In LiteDB, queries must have an index on the search field to find documents. If there is no index on the field, LiteDB automatically creates a new index with default options. To make queries, you can use:

  • Query static helper class
  • Using LINQ expressions

Query implementations

Query is an static class that creates query criteria. Each method a different criteria operation that can be used to query documents.

  • Query.All - Returns all documents. Can be specified an index field to read in ascending or descending index order.
  • Query.EQ - Find document are equals (==) to value.
  • Query.LT/LTE - Find documents less then (<) or less then equals (<=) to value.
  • Query.GT/GTE - Find documents greater then (>) or greater then equals (>=) to value.
  • Query.Between - Find documents between start/end value.
  • Query.In - Find documents that are equals of listed values.
  • Query.Not - Find documents that are NOT equals (!=) to value.
  • Query.StartsWith - Find documents that strings starts with value. Valid only for string data type.
  • Query.Contains - Find documents that strings contains value. Valid only for string data type. This query do index search, only index scan (slow for many documents).
  • Query.And - Apply intersection between two queries results.
  • Query.Or - Apply union between two queries results.
  1. var results = collection.Find(Query.EQ("Name", "John Doe"));
  2. var results = collection.Find(Query.GTE("Age", 25));
  3. var results = collection.Find(Query.And(
  4. Query.EQ("FirstName", "John"), Query.EQ("LastName", "Doe")
  5. ));
  6. var results = collection.Find(Query.StartsWith("Name", "Jo"));

In all queries:

  • Field must have an index (by using EnsureIndex or [BsonIndex] attribute. See [[Indexes]]). If there is no index, LiteDB will create a new index on the fly.
  • Field name on left side, Value (or values) on right side
  • Queries are executed in BsonDocument class before mapping to your object. You need to use the BsonDocument field name and BSON types values. If you are using a custom ResolvePropertyName or [BsonField] attribute, you must use your document field name and not the property name on your type. See Object Mapping.
  • LiteDB does not support values as expressions, like CreationDate == DueDate.

Find(), FindById(), FindOne() and FindAll()

Collections are 4 ways to return documents:

  • FindAll: Returns all documents on collection
  • FindOne: Returns FirstOrDefault result of Find()
  • FindById: Returns SingleOrDefault result of Find() by using primary key _id index.
  • Find: Return documents using Query builder or LINQ expression on collection.

Find() supports Skip and Limit parameters. These operations are used at the index level, so it’s more efficient than in LINQ to Objects.

Find() method returns an IEnumerable of documents. If you want do more complex filters, value as expressions, sorting or transforms results you can use LINQ to Objects.

  1. collection.EnsureIndex(x => x.Name);
  2. var result = collection
  3. .Find(Query.EQ("Name", "John Doe")) // This filter is executed in LiteDB using index
  4. .Where(x => x.CreationDate >= x.DueDate.AddDays(-5)) // This filter is executed by LINQ to Object
  5. .OrderBy(x => x.Age)
  6. .Select(x => new
  7. {
  8. FullName = x.FirstName + " " + x.LastName,
  9. DueDays = x.DueDate - x.CreationDate
  10. }); // Transform

Count() and Exists()

These two methods are useful because you can count documents (or check if a document exists) without deserializing the document. These methods use In

  1. // This way is more efficient
  2. var count = collection.Count(Query.EQ("Name", "John Doe"));
  3. // Than use Find + Count
  4. var count = collection.Find(Query.EQ("Name", "John Doe")).Count();
  • In the first count, LiteDB uses the index to search and count the number of index occurrences of “Name = John” without deserializing and mapping the document.
  • If the Name field does not have an index, LiteDB will deserialize the document but will not run the mapper. Still faster than Find().Count()
  • The same idea applies when using Exists(), which is again better than using Count() >= 1. Count needs to visit all matched results and Exists() stops on first match (similar to LINQ’s Any extension method).

Min() and Max()

LiteDB uses a skip list implementation for indices (See Indexes). Collections offer Min and Max index values. The implementation is:

  • Min - Read head index node (MinValue BSON data type) and move to next node. This node is the lowest value in index. If index are empty, returns MinValue. Lowest value is not the first value!
  • Max - Read tail index node (MaxValue BSON data type) and move to previous node. This node is the highest value on index. If index are empty, returns MaxValue. Highest value is not the last value!

This Max operation are used on AutoId for Int32 types. It’s fast to get this value because it needs to read only two index nodes (tail + previous).

LINQ expressions

Some LiteDB methods support predicates to allow you to easily query strongly typed documents. If you are working with BsonDocument, you need to use classic Query class methods.

  1. var collection = db.GetCollection<Customer>("customer");
  2. var results = collection.Find(x => x.Name == "John Doe");
  3. var results = collection.Find(x => x.Age > 30);
  4. var results = collection.Find(x => x.Name.StartsWith("John") && x.Age > 30);
  • LINQ implementations are: ==, !=, >, >=, <, <=, StartsWith, Contains, Equals, &&, ||
  • Property name support inner document field: x => x.Name.Last == "Doe"
  • Behind the scene, LINQ expressions are converted to Query implementations using QueryVisitor class.

How Database Works

File Format

LiteDB is a single file database. But databases has many different types of information, like indexes, collections, documents. To manage this, LiteDB implements database pages concepts. Page is a block of same information type and has 4096 bytes. Page is the minimum read/write operation on disk file. There are 6 page types:

  • Header Page: Contains database information, like file version, data file size and pointer to free list pages. Is the first page on database (PageID = 0).
  • Collection Page: Each collection use one page and hold all collection information, like name, indexes, pointers and options. All collections are connected each others by a double linked list.
  • Index Page: Used to hold index nodes. LiteDB implement skip list indexes, so each node has one key and levels link pointers to others index nodes.
  • Data Page: Data page contains data blocks. Each data block represent an document serialized in BSON format. If a document is bigger than one page, data block use a link pointer to an extended page.
  • Extend Page: Big documents that need more than one page, are serialized in multiples extended pages. Extended pages are double linked to create a single data segment that to store documents. Each extend page contains only one document or a chunk of a document.
  • Empty Page: When a page is excluded becomes a empty page. Empty pages will be use on next page request (for any king of page).

Each page has a own header and content. Header is used to manage common data structure like PageID, PageType, Free Space. Content are implement different on each page type.

Page free space

Index pages and data pages contains a collection of elements (index nodes and data blocks). This pages can store data and keep with available space to more. To hold this free space on each page type, LiteDB implements free list pages.

Free list are a double linked list, sorted by available space. When database need a page to store data use this list to search first available page. After this, PagerService fix page order or remove from free list if there is no more space on page.

To create near data related, each collection contains an data free list. So, in a data page, all data blocks are of same collection. The same occurs in indexes. Each index (on each collection) contains your own free list. This solution consume more disk space but are much faster to read/write operations because data are related and near one witch other. If you get all documents in a collection, database needs read less pages on disk.

You can use dump command on shell to see all pages and basic information of each page. I used this to debug linked lists.

Connection String

When you open a database file, you can just use file name as connection string or use more connection parameters like:

  • Filename: Database to open or create (if no exits). Required, String
  • Journal: If this database connection will be use journal mode (See Journaling and Recovery). Optional, Boolean, default: true
  • Timeout: Set timeout to wait a locked transaction. Optional, Timespan, default: 00:01:00
  • Version: Define database scheme version (See Updating Database Version). Optional, Int, default: 1
  1. // Get MyData.db from current path
  2. var db = new LiteDatabase("MyData.db");
  3. // Get string connection from <connectionStrings>
  4. var db = new LiteDatabase("userdb");
  5. // Hard code connection string
  6. var db = new LiteDatabase("filename=C:\Path\mydb.db; journal=false; version=5");

Limits

  • Collection Name:
    • Pattern: A-Z, _-, 0-9
    • Maxlength of 30 chars
    • Case insensitive
  • Index Name:
    • Pattern: A-Z, _-, 0-9 (. for nested document)
    • Maxlength of 30 chars
    • Case sensitive
  • BsonDocument Key Name:
    • A-Z, _-, 0-9
    • Case sensitive
  • FileStorage FileId:
    • Pattern: same used in file system path/file.
    • Case sensitive
  • Collections: 256 collections per database
  • Documents per collections: UInt.MaxValue
  • FileStorage Max File Length: 2Gb per file
  • Index key size: 512 bytes after BSON serialization
  • BSON document size: 1.044.224 bytes (~1Mb = 256 pages)
  • Nested Depth for BSON Documents: 20
  • Page Size: 4096 bytes
  • DataPage Reserved Bytes: 2039 bytes (like PCT FREE)
  • IndexPage Reserved Bytes: 100 bytes (like PCT FREE)
  • Database Max Length: In theory, UInt.MaxValue * PageSize (4096) = ~ Too big!

Updating Database Version

LiteDB is has a scheme less data structure. But what happens if you need initialize your database with some data in first time use? And if your database must be update (after deploy your app) and you don’t know which version user datafile is?

LiteDB implements a user version database. User version is an integer that starts with 1 and can be updated in string connection when you need update your database. User version do not allow double value or letters, so use only positive integers. LiteDB doesn’t use this number in any other place.

This resource exists in many embedded databases, like SQLLite and web IndexedDb or Entity Framework (Migrations).

To use the user version you must create a class that implements LiteDatabase and override OnVersionUpdate virtual method.

  1. public class AppDB : LiteDatabase
  2. {
  3. public AppDB(string connectionString) : base(connectionString) { }
  4. protected override void OnVersionUpdate(int newVersion)
  5. {
  6. if (newVersion == 1)
  7. {
  8. // Do init stuff
  9. }
  10. else if (newVersion == 2)
  11. {
  12. // Do update version 1 -> 2 stuff
  13. }
  14. else if (newVersion == 3)
  15. {
  16. // Do update version 2 -> 3 stuff
  17. }
  18. }
  19. }

When you need to open your database, just add a version command in the connection string.

  1. using(var db = new AppDB("filename=user.db;version=1"))
  2. {
  3. // database are initialized if file not exists
  4. }

And, when you need to update your database structure, just change increase the version number:

  1. using(var db = new AppDB("filename=user.db;version=2"))
  2. {
  3. // database are updated to version 2
  4. }

Your database can be updated many versions:

  1. // If database user version is 1
  2. using(var db = new AppDB("filename=user.db;version=4"))
  3. {
  4. // LiteDB run:
  5. // OnVersionUpdate(2);
  6. // OnVersionUpdate(3);
  7. // OnVersionUpdate(4);
  8. }

Transactions and Concurrency

LiteDB is has a scheme less data structure. But what happens if you need initialize your database with some data in first time use? And if your database must be update (after deploy your app) and you don’t know which version user datafile is?

LiteDB implements a user version database. User version is an integer that starts with 1 and can be updated in string connection when you need update your database. User version do not allow double value or letters, so use only positive integers. LiteDB doesn’t use this number in any other place.

This resource exists in many embedded databases, like SQLLite and web IndexedDb or Entity Framework (Migrations).

To use the user version you must create a class that implements LiteDatabase and override OnVersionUpdate virtual method.

  1. public class AppDB : LiteDatabase
  2. {
  3. public AppDB(string connectionString) : base(connectionString) { }
  4. protected override void OnVersionUpdate(int newVersion)
  5. {
  6. if (newVersion == 1)
  7. {
  8. // Do init stuff
  9. }
  10. else if (newVersion == 2)
  11. {
  12. // Do update version 1 -> 2 stuff
  13. }
  14. else if (newVersion == 3)
  15. {
  16. // Do update version 2 -> 3 stuff
  17. }
  18. }
  19. }

When you need to open your database, just add a version command in the connection string.

  1. using(var db = new AppDB("filename=user.db;version=1"))
  2. {
  3. // database are initialized if file not exists
  4. }

And, when you need to update your database structure, just change increase the version number:

  1. using(var db = new AppDB("filename=user.db;version=2"))
  2. {
  3. // database are updated to version 2
  4. }

Your database can be updated many versions:

  1. // If database user version is 1
  2. using(var db = new AppDB("filename=user.db;version=4"))
  3. {
  4. // LiteDB run:
  5. // OnVersionUpdate(2);
  6. // OnVersionUpdate(3);
  7. // OnVersionUpdate(4);
  8. }

Journaling / Recovery

LiteDB is an ACID (Atomicity, Consistency, Isolation, Durability) database, so your data transactions are always consistent across concurrency access.

Journaling

To guarantee data integrity and fail tolerance, LiteDB use a temporary file to write all changes before write on data file. Before write direct to disk, LiteDB create a temp file (called committed journal file) to store all dirty pages. The journal is always located in the same directory as the database file and has the same name as the database file except with the -journal appended.

  • If there is any error during write journal file, the transaction are aborted - and no changes are made on original data file.
  • After write all committed pages on journal file, LiteDB starts writing this pages on your data file. If occur an error at this moment, your data file is corrupted because not all pages was write. LiteDB needs re-write all pages again, using journal file. This recovery operation occurs when you try open database next time.
  • When all operation end journal file is deleted.

Journaling is enabled by default. You can disable on string connection to get a fast write operations with some risk!

  1. var db = new LiteDatabase("filename=mydata.db; journal=false");

Shell

LiteDB project has a simple console application that can be used to work with your databases with an application. It’s very useful to see, update and test your data. Shell application support all database commands in a similar MongoDB shell syntax.

Shell commands are available in a console application and LiteDatabase:

  1. using(var db = new LiteDatabase("MyDatabase.db"))
  2. {
  3. db.Run("db.customer.insert { _id:1, Name: \"John Doe\" }");
  4. var col = db.GetCollection("customer");
  5. var john = col.FindById(1);
  6. }

Reference

Shell console commands

The commands here works only in console application LiteDB.Shell.exe:

  • help [full] - Display basic or full commands help
  • open <filename> - Open new database. If not exists, create a new one
  • close - Close current database
  • pretty - Show JSON in pretty format
  • ed - Open notepad.exe with last command to edit
  • run <filename> - Read filename and add each line as a new command
  • spool [on|off] - Turn on/off spool of all commands
  • timer - Show a timer on command prompt
  • -- - Comments (ignore rest of line)
  • /<command>/ - Supports multiline command
  • quit - Exit shell application

Collections commands

Syntax: db.<collection>.<command>

  • insert <jsonDoc> - Find a document using query filter syntax

    • db.customer.insert { _id:1, Name: "John Doe", Age: 38 }
    • db.customer.insert { Name: "John Doe" } - Auto create Id as ObjectId
  • bulk <filename.json> - Insert all documents inside a JSON file. JSON file must be an JSON array of documents

    • db.customer.bulk my-documents.json
  • update <jsonDoc> - Update a existing document using _id

    • db.customer.update { _id:1, Name: "Joana Doe", Age: 29 }
  • delete <filter> - Delete documents using filter syntax

    • db.customer.delete _id = 1
    • db.customer.delete Name like "Jo"
  • ensureIndex <field> [true|<jsonOptions>] - Create a new index on collection in field. Support json options See Indexes

    • db.customers.ensureIndex Name true - Create a unique index
    • db.customers.ensureIndex Name { unique: true, removeAccents: false }
  • indexes - List all indexes on collections

    • db.customers.indexes
  • dropIndex <field> - Drop an index

    • db.customers.dropIndex Name
  • drop - Drop a collection and all documents inside. Return false in not exists

    • db.customer.drop
  • rename - Rename a collection. Return true if success or false in an error occurs

    • db.customer.rename my_customers
  • count <filter> - Count documents with defined filter. See <filter> syntax below

    • db.customer.count Name = "John Doe"
    • `db.customer.count Age between [20, 40]
  • min <field> - Get lowest value in field index

    • db.customer.min _id
    • db.customer.min Age
  • max <field> -

    • db.customer.max _id
    • db.customer.max Age
  • find [filter][skip N][limit M] - Find documents using query filter syntax. See <filter> syntax below

    • db.customer.find
    • db.customer.find limit 10
    • db.customer.find Name = "John Doe"
    • db.customer.find Age between [20, 40]
    • db.customer.find Name LIKE "John" and Age > 30
  • <filter> = <field> [=|>|>=|<|<=|!=|like|contains|in|between] <jsonValue>

  • <filter> = <filter> [and|or] <filter>
  • <jsonDoc> and <jsonValue> are JSON extended format. See Data Structure.

FileStorage

Syntax: fs.<command>

  • upload <fileId> <filename> - Upload a new local file to database. If fileId exists, override data content

    • fs.upload my-file picture.jpg
    • fs.upload $/photos/pic-001 C:\Temp\mypictures\picture-1.jpg
  • download <fileId> <filename> - Download existing database file to a local file.

    • fs.download my-file copy-picture.jpg
    • fs.download $/photos/pic-001 C:\Temp\mypictures\copy-picture-1.jpg
  • update <fileId> <jsonDoc> - Update file metadata

    • fs.update my-file { user: "John", machine: "srv001" }
  • delete <fileId> - Delete a file

    • fs.delete my-file
  • find [fileId] - List all files inside database or starting with fileId parameter

    • fs.find
    • fs.find $/photos/

Database commands

  • begin - Begin a new transaction
  • commit - Commit current transaction
  • rollback - Rollback current transaction
  • db.info - Show information about database file