Loading…

BitBadger.Documents
Getting Started

Overview

Each library has three different ways to execute commands:

This provides flexibility in how connections are managed. If your application does not care about it, configuring the library is all that is required. If your application generally does not care, but needs a connection on occasion, one can be obtained from the library and used as required. If you are developing a web application, and want to use one connection per request, you can register the library's connection functions as a factory, and have that connection injected. We will cover the how-to below for each scenario, but it is worth considering before getting started.

A note on functions: the F# functions use camelCase, while C# calls use PascalCase. To cut down on the noise, this documentation will generally use the C# Count.All form; know that this is Count.all for F#, conn.CountAll() for the C# extension method, and conn.countAll for the F# extension.

Namespaces

C#

using BitBadger.Documents;
using BitBadger.Documents.[Postgres|Sqlite];

F#

open BitBadger.Documents
open BitBadger.Documents.[Postgres|Sqlite]

For F#, this order is significant; both namespaces have modules that share names, and this order will control which one shadows the other.

Configuring the Connection

The Connection String

Both PostgreSQL and SQLite use the standard ADO.NET connection string format (Npgsql docs, Microsoft.Data.Sqlite docs). The usual location for these is an appsettings.json file, which is then parsed into an IConfiguration instance. For SQLite, all the library needs is a connection string:

// C#, SQLite
// ...
    var config = ...; // parsed IConfiguration
    Sqlite.Configuration.UseConnectionString(config.GetConnectionString("SQLite"));
// ...
// F#, SQLite
// ...
    let config = ...; // parsed IConfiguration
    Configuration.useConnectionString (config.GetConnectionString "SQLite")
// ...

For PostgreSQL, the library needs an NpgsqlDataSource instead. There is a builder that takes a connection string and creates it, so it still is not a lot of code: (although this implements IDisposable, do not declare it with using or use; the library handles disposal if required)

// C#, PostgreSQL
// ...
    var config = ...; // parsed IConfiguration
    var dataSource = new NpgsqlDataSourceBuilder(config.GetConnectionString("Postgres")).Build();
    Postgres.Configuration.UseDataSource(dataSource);
// ...
// F#, PostgreSQL
// ...
    let config = ...; // parsed IConfiguration
    let dataSource = new NpgsqlDataSourceBuilder(config.GetConnectionString "Postgres").Build()
    Configuration.useDataSource dataSource
// ...

The Connection

// C#, PostgreSQL
    builder.Services.AddScoped<NpgsqlConnection>(svcProvider =>
        Postgres.Configuration.DataSource().OpenConnection());
// C#, SQLite
    builder.Services.AddScoped<SqliteConnection>(svcProvider => Sqlite.Configuration.DbConn());
// F#, PostgreSQL
    let _ = builder.Services.AddScoped<NpgsqlConnection>(fun sp -> Configuration.dataSource().OpenConnection())
// F#, SQLite
    let _ = builder.Services.AddScoped<SqliteConnection>(fun sp -> Configuration.dbConn ())

After registering, this connection will be available on the request context and can be injected in the constructor for things like Razor Pages or MVC Controllers.

Configuring the ID Field Name

A common .NET pattern when naming unique identifiers for entities / documents / etc. is the name Id. By default, this library assumes that this field is the identifier for your documents. If your code follows this pattern, you will be happy with the default behavior. If you use a different property, or implement a custom serializer to modify the JSON representation of your documents' IDs, though, you will need to configure that field name before you begin calling other functions or methods. A great spot for this is just after you configure the connection string or data source (above). If you have decided that the field “Name” is the unique identifier for your documents, your setup would look something like…

// C#, All
Configuration.UseIdField("Name");
// F#, All
Configuration.useIdField "Name"

Setting this will make EnsureTable create the unique index on that field when it creates a table, and will make all the ById functions and methods look for data ->> 'Name' instead of data ->> 'Id'. JSON is case-sensitive, so if the JSON is camel-cased, this should be configured to be id instead of Id (or name to follow the example above).

Ensuring Tables and Indexes Exist

Both PostgreSQL and SQLite store data in tables and can utilize indexes to retrieve that data efficiently. Each application will need to determine the tables and indexes it expects.

To discover these concepts, let's consider a naive example of a hotel chain; they have several hotels, and each hotel has several rooms. While each hotel could have its rooms as part of a Hotel document, there would likely be a lot of contention when concurrent updates for rooms, so we will put rooms in their own table. The hotel will store attributes like name, address, etc.; while each room will have the hotel's ID (named Id), along with things like room number, floor, and a list of date ranges where the room is not available. (This could be for customer reservation, maintenance, etc.)

(Note that all of the “ensure” methods/functions below use the IF NOT EXISTS clause; they are safe to run each time the application starts up, and will do nothing if the tables or indexes already exist.)

PostgreSQL

We have a few options when it comes to indexing our documents. We can index a specific JSON field; each table's primary key is implemented as a unique index on the configured ID field. We can also use a GIN index to index the entire document, and that index can even be optimized for a subset of JSON Path operators.

Let's create a general-purpose index on hotels, a “HotelId” index on rooms, and an optimized document index on rooms.

// C#, Postgresql
    await Definition.EnsureTable("hotel");
    await Definition.EnsureDocumentIndex("hotel", DocumentIndex.Full);
    await Definition.EnsureTable("room");
    // parameters are table name, index name, and fields to be indexed
    await Definition.EnsureFieldIndex("room", "hotel_id", new[] { "HotelId" });
    await Definition.EnsureDocumentIndex("room", DocumentIndex.Optimized);
// F#, PostgreSQL
    do! Definition.ensureTable "hotel"
    do! Definition.ensureDocumentIndex "hotel" Full
    do! Definition.ensureTable "room"
    do! Definition.ensureFieldIndex "room" "hotel_id" [ "HotelId" ]
    do! Definition.ensureDocumentIndex "room" Optimized

SQLite

For SQLite, the only option (outside of some quite complex techniques) for JSON indexes are indexes on fields. Just as traditional relational indexes, these fields can be ordered by query. In our example, if we indexed our rooms on hotel ID and room number, it could also be used for efficient retrieval just by hotel ID.

Let's create hotel and room tables, then index rooms by hotel ID and room number.

// C#, SQLite
    await Definition.EnsureTable("hotel");
    await Definition.EnsureTable("room");
    await Definition.EnsureIndex("room", "hotel_and_nbr", new[] { "HotelId", "RoomNumber" });
// F#
    do! Definition.ensureTable "hotel"
    do! Definition.ensureTable "room"
    do! Definition.ensureIndex "room" "hotel_and_nbr", [ "HotelId"; "RoomNumber" ]

Now that we have tables, let's use them!