FakeCosmosDb 0.1.5

dotnet add package FakeCosmosDb --version 0.1.5
                    
NuGet\Install-Package FakeCosmosDb -Version 0.1.5
                    
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="FakeCosmosDb" Version="0.1.5" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="FakeCosmosDb" Version="0.1.5" />
                    
Directory.Packages.props
<PackageReference Include="FakeCosmosDb" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add FakeCosmosDb --version 0.1.5
                    
#r "nuget: FakeCosmosDb, 0.1.5"
                    
#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.
#addin nuget:?package=FakeCosmosDb&version=0.1.5
                    
Install FakeCosmosDb as a Cake Addin
#tool nuget:?package=FakeCosmosDb&version=0.1.5
                    
Install FakeCosmosDb as a Cake Tool

TimAbell.FakeCosmosDb - Fake CosmosClientfor Testing

An in-memory implementation of Azure Cosmos DB for testing .NET applications without external dependencies.

Will store and round-trip saved data for easy integration testing of code that depends on CosmosDB without having to use the unreliable CosmosDB emulator or depend on the Azure cloud for tests.

The CosmosClient API is non-trivial to implement, so if you want realistic tests you either have to create your own simplisitic abstraction and reduce the quality of your integration test coverage, or depend on the real/emulated CosmosDb from Microsoft that results in slower and less reliable tests requiring significantly more setup infrastructure.

I have created this library as a working starting point for some amount of the CosmosClient API, and hope that by providing this under MIT license to the world that as a community we can turn this into a fairly complete implementation that makes for a realistic test fake to give us fast and useful integration tests for systems that have chosen to use CosmosDB.

It would be better to not use CosmosDb unless you really need it but we don't always get to choose.

This is a Fake not a Mock because it doesn't just give pre-canned responses to API calls, it provides a basic working implementation with in-memory storage that's sufficient for tests.

Using this library also makes it trivial to reset test data state as you can just throw away the instance and new up another one at almost no cost.

Current Status

This project is under active development with several features implemented and others still in progress:

  • ✅ In-memory document storage with container support
  • ✅ SQL query parsing for basic SELECT, WHERE, and ORDER BY operations
  • ✅ Support for common SQL functions (CONTAINS, STARTSWITH, etc.)
  • ✅ Pagination with continuation tokens
  • ✅ Adapter for switching between fake and real Cosmos DB
  • ⚠️ Some advanced query features are partially implemented
  • ❌ Stored procedures not yet supported
  • ❌ Change feed not yet implemented

Contributions are welcome! If you encounter missing features or bugs, please open an issue or submit a pull request.

Installation

https://www.nuget.org/packages/FakeCosmosDb

dotnet add package FakeCosmosDb

Usage Examples

Example 1: Direct Substitution for CosmosClient

// Production code in Startup.cs or Program.cs
public void ConfigureServices(IServiceCollection services)
{
	// Register CosmosClient for production
	services.AddSingleton(sp =>
		new CosmosClient(Configuration.GetConnectionString("CosmosDb")));

	// Register your services that depend on CosmosClient
	services.AddScoped<IUserRepository, UserRepository>();
}

// Test code
public class ApiTests : IClassFixture<WebApplicationFactory<Program>>
{
	private readonly WebApplicationFactory<Program> _factory;
	private readonly HttpClient _client;

	public ApiTests(WebApplicationFactory<Program> factory)
	{
		// Replace the real CosmosClient with our fake for testing
		_factory = factory.WithWebHostBuilder(builder =>
		{
			builder.ConfigureServices(services =>
			{
				// Remove the registered CosmosClient
				var descriptor = services.SingleOrDefault(d =>
					d.ServiceType == typeof(CosmosClient));
				if (descriptor != null)
					services.Remove(descriptor);

				// Add our fake implementation
				var fakeClient = new FakeCosmosDb();
				fakeClient.AddContainerAsync("users").Wait();

				// Seed test data
				fakeClient.AddItemAsync("users", new { id = "1", name = "Test User" }).Wait();

				// Register the fake client
				services.AddSingleton<CosmosClient>(fakeClient);
			});
		});

		_client = _factory.CreateClient();
	}

	[Fact]
	public async Task GetUser_ReturnsUser()
	{
		// Act - test the API endpoint that uses CosmosClient
		var response = await _client.GetAsync("/api/users/1");

		// Assert
		response.EnsureSuccessStatusCode();
		var content = await response.Content.ReadAsStringAsync();
		Assert.Contains("Test User", content);
	}
}

Example 2: Using with Abstraction Layer

// Production code in Startup.cs or Program.cs
public void ConfigureServices(IServiceCollection services)
{
	// For production, use the CosmosDbAdapter with real CosmosClient
	services.AddSingleton<ICosmosDb>(sp =>
		new CosmosDbAdapter(Configuration.GetConnectionString("CosmosDb")));

	// Register your services that depend on ICosmosDb
	services.AddScoped<IUserRepository, UserRepository>();
}

// Test code
public class ApiTests : IClassFixture<WebApplicationFactory<Program>>
{
	private readonly WebApplicationFactory<Program> _factory;
	private readonly HttpClient _client;

	public ApiTests(WebApplicationFactory<Program> factory)
	{
		// Replace the CosmosDbAdapter with our fake for testing
		_factory = factory.WithWebHostBuilder(builder =>
		{
			builder.ConfigureServices(services =>
			{
				// Remove the registered CosmosDbAdapter
				var descriptor = services.SingleOrDefault(d =>
					d.ServiceType == typeof(ICosmosDb));
				if (descriptor != null)
					services.Remove(descriptor);

				// Add our fake implementation
				var fakeDb = new FakeCosmosDb();
				fakeDb.AddContainerAsync("users").Wait();

				// Seed test data
				fakeDb.AddItemAsync("users", new { id = "1", name = "Test User" }).Wait();

				// Register the fake implementation
				services.AddSingleton<ICosmosDb>(fakeDb);
			});
		});

		_client = _factory.CreateClient();
	}

	[Fact]
	public async Task GetUser_ReturnsUser()
	{
		// Act - test the API endpoint that uses ICosmosDb
		var response = await _client.GetAsync("/api/users/1");

		// Assert
		response.EnsureSuccessStatusCode();
		var content = await response.Content.ReadAsStringAsync();
		Assert.Contains("Test User", content);
	}
}

Supported Query Features

// Basic filtering
var results = await cosmosDb.QueryAsync("users", "SELECT * FROM c WHERE c.name = 'Alice'");

// Numeric comparisons
var results = await cosmosDb.QueryAsync("users", "SELECT * FROM c WHERE c.age > 30");

// String functions
var results = await cosmosDb.QueryAsync("users", "SELECT * FROM c WHERE CONTAINS(c.name, 'Ali')");

// Projections
var results = await cosmosDb.QueryAsync("users", "SELECT c.name, c.email FROM c");

// Pagination
var (items, token) = await cosmosDb.QueryWithPaginationAsync(
	"users",
	"SELECT * FROM c",
	maxItemCount: 10
);

Test Coverage

The project includes extensive unit tests covering:

  • Basic CRUD operations
  • SQL query parsing and execution
  • Data type handling in queries
  • Projections and field selection
  • Pagination functionality
  • Index-based query optimization
  • Adapter functionality for real Cosmos DB

Run the tests with:

dotnet test -v n

Internal Architecture

The project is organized into several key components:

Core Components

  • FakeCosmosDb: Main entry point that implements the ICosmosDb interface
  • FakeContainer: In-memory implementation of a Cosmos DB container
  • FakeDatabase: Manages collections of containers

Query Processing

  • Parsing/CosmosDbSqlQueryParser: Parses SQL queries into an abstract syntax tree
  • Parsing/CosmosDbSqlAst: Defines the structure for the abstract syntax tree
  • Parsing/CosmosDbSqlGrammar: Contains the grammar rules for SQL parsing
  • CosmosDbQueryExecutor: Executes parsed queries against the in-memory data

Data Management

  • CosmosDbIndexManager: Manages indexes for optimizing query performance
  • CosmosDbPaginationManager: Handles pagination with continuation tokens

Real Cosmos DB Support

  • CosmosDbAdapter: Adapter for the real Cosmos DB client, implementing ICosmosDb

Contributing

Contributions are welcome! Here's how you can help:

  1. Report bugs or request features by opening an issue
  2. Implement missing functionality by submitting a pull request
  3. Improve documentation to help others use the library
  4. Add test cases to increase coverage

Development Guidelines

  • Follow TDD practices for all new features
  • Keep SQL query parsing logic in the parsing code, not in the executor
  • Use method chaining syntax (.Select(), .Where()) instead of LINQ query syntax (from ... in ... select) due to netstandard2.1 compatibility
  • Respect the .editorconfig settings

License

MIT License - License information

Product Compatible and additional computed target framework versions.
.NET net5.0 was computed.  net5.0-windows was computed.  net6.0 was computed.  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.  net9.0 was computed.  net9.0-android was computed.  net9.0-browser was computed.  net9.0-ios was computed.  net9.0-maccatalyst was computed.  net9.0-macos was computed.  net9.0-tvos was computed.  net9.0-windows was computed. 
.NET Core netcoreapp3.0 was computed.  netcoreapp3.1 was computed. 
.NET Standard netstandard2.1 is compatible. 
MonoAndroid monoandroid was computed. 
MonoMac monomac was computed. 
MonoTouch monotouch was computed. 
Tizen tizen60 was computed. 
Xamarin.iOS xamarinios was computed. 
Xamarin.Mac xamarinmac was computed. 
Xamarin.TVOS xamarintvos was computed. 
Xamarin.WatchOS xamarinwatchos was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages

This package is not used by any NuGet packages.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last updated
0.1.5 129 3/20/2025
0.1.4 126 3/20/2025
0.1.3 123 3/19/2025
0.1.2 129 3/19/2025
0.1.1 129 3/19/2025
0.1.0 128 3/18/2025
0.0.4 131 3/18/2025
0.0.3 128 3/18/2025