AspNetCore.Simple.MsTest.Sdk
8.1.0-alpha.75
dotnet add package AspNetCore.Simple.MsTest.Sdk --version 8.1.0-alpha.75
NuGet\Install-Package AspNetCore.Simple.MsTest.Sdk -Version 8.1.0-alpha.75
<PackageReference Include="AspNetCore.Simple.MsTest.Sdk" Version="8.1.0-alpha.75" />
<PackageVersion Include="AspNetCore.Simple.MsTest.Sdk" Version="8.1.0-alpha.75" />
<PackageReference Include="AspNetCore.Simple.MsTest.Sdk" />
paket add AspNetCore.Simple.MsTest.Sdk --version 8.1.0-alpha.75
#r "nuget: AspNetCore.Simple.MsTest.Sdk, 8.1.0-alpha.75"
#:package AspNetCore.Simple.MsTest.Sdk@8.1.0-alpha.75
#addin nuget:?package=AspNetCore.Simple.MsTest.Sdk&version=8.1.0-alpha.75&prerelease
#tool nuget:?package=AspNetCore.Simple.MsTest.Sdk&version=8.1.0-alpha.75&prerelease
AspNetCore.Simple.MsTest.Sdk
API snapshot testing so productive it feels like cheating.
Add a JSON file. A test appears. When it fails, you get the exact diff, full HTTP context, and a ready-to-runcurl.
[TestMethod]
[DynamicRequestLocator]
public Task Should_Create_User(string useCase)
{
return Client.AssertPostAsync<UserResponse>("api/v1/users",
useCase,
useCase);
}
File conventions and folder structure
Use file names, not full resource paths
Prefer this:
"NewUser.json"
Not this:
"Users.V1.Payloads.NewUser.json"
The SDK uses context-aware resolution to find the right file automatically. If multiple files with the same name exist, it prefers the one in your test's namespace. See the context-aware disambiguation section for details.
Recommended structure
Api
└─ Users
└─ V1
└─ Create
└─ Status_200_Ok
├─ Requests
│ ├─ ValidUser.json
│ ├─ AdminUser.json
│ └─ GuestUser.json
├─ Responses
│ ├─ ValidUser.json
│ ├─ AdminUser.json
│ └─ GuestUser.json
└─ CreateUser_Status_200_OK_Test.cs
Add a JSON file. A new test appears.
What you get
- Full HTTP response snapshots: status, headers, body, trailing headers
- Precise structured diffs with deep
MemberPathpaths - Ready-to-run
curloutput on failures - Convention-based test discovery with
DynamicRequestLocator - Snapshot generation from live traffic
- Snapshot auto-update and ignore strategies
- Drastically less boilerplate than traditional API tests
Why this feels different
Most API testing tools make you choose between speed, coverage, and debuggability.
This SDK does not.
It is built around a simple idea:
- One snapshot validates the whole HTTP response, not just the body
- One failure tells you exactly what changed, down to
content.value.emails[1].type - One pasted
curlreproduces the problem immediately - One added JSON file creates a new test case automatically
That combination changes how API testing feels in practice. Less plumbing. More coverage. Faster debugging.
Quick Start
Install
dotnet add package AspNetCore.Simple.MsTest.Sdk
Minimal setup
[TestClass]
public abstract class ApiTestBase
{
private static ApiTestBase<Startup> _testBase = null!;
protected static HttpClient Client { get; private set; } = null!;
[AssemblyInitialize]
public static void Init(TestContext _)
{
_testBase = new ApiTestBase<Startup>("Development");
Client = _testBase.CreateClient();
}
[AssemblyCleanup]
public static void Cleanup()
{
_testBase.Dispose();
Client.Dispose();
}
}
First test
[TestClass]
public class UserTests : ApiTestBase
{
[TestMethod]
public Task Should_Create_User()
{
return Client.AssertPostAsync<UserResponse>(
"api/v1/users",
"CreateUser.json",
"CreateUser.json");
}
}
Add the JSON snapshot files
Use embedded JSON files for request and expected response.
CreateUser.json request:
{
"Id": 1,
"Name": "Son",
"FirstName": "Goku",
"Age": 99,
"Emails": [
{
"EmailAddress": "alf@gmx.de",
"Type": "GMX"
},
{
"EmailAddress": "abc@hotmail.de",
"Type": "Microsoft"
}
]
}
CreateUser.json response snapshot:
{
"Content": {
"Headers": [
{
"Key": "Content-Type",
"Value": [ "application/json; charset=utf-8" ]
}
],
"Value": {
"Id": 1,
"Name": "Son",
"FirstName": "Goku",
"Age": 99,
"Emails": []
}
},
"StatusCode": "OK",
"Headers": [],
"TrailingHeaders": [],
"IsSuccessStatusCode": true
}
Result
Run the test and you get:
- full-response validation
- structured diffs on mismatch
- HTTP context in the failure output
- generated
curlfor instant reproduction
What a failure looks like
Value differences
This is where the SDK earns its place.
══════════════════════════════════════════════════════════════════════════════
SNAPSHOT TEST FAILED
══════════════════════════════════════════════════════════════════════════════
Project : Controllers.Test
Class : Controllers.Test.Api.Persons.PersonController.cs
Method : Should_Be_Able_To_Post_A_Person_By_Json_1
LineNumber : 145
Request : Controllers.Test.Api.Persons.Requests.SonGoku.json
Response : Controllers.Test.Api.Persons.Responses.SonGoku.json
Errors : 1
ErrorTypes: ValueDifference
HTTP CALL
-----------------------------------------------------------------------
| HttpMethod | Url | HttpStatusCode |
-----------------------------------------------------------------------
| POST | http://localhost/api/tests/v1/persons | 200 OK |
-----------------------------------------------------------------------
DIFFERENCES
-----------------------------------------------------------------------
| MemberPath | SonGoku.json | CurrentResult | MismatchType |
-----------------------------------------------------------------------
| content.value.name | Son Invalid | Son | ValueDifference |
-----------------------------------------------------------------------
EXPECTED RESULT (SonGoku.json):
{"content":{"headers":[{"key":"Content-Type","value":["application/json; charset=utf-8"]}],"value":{"id":1,"name":"Son Invalid","firstName":"Goku","age":99,"emails":[{"emailAddress":"alf@gmx.de","type":"GMX"},{"emailAddress":"abc@hotmail.de","type":"Microsoft"}]}},"statusCode":"OK","headers":[],"trailingHeaders":[],"isSuccessStatusCode":true}
CURRENT RESULT:
{"content":{"headers":[{"key":"Content-Type","value":["application/json; charset=utf-8"]}],"value":{"id":1,"name":"Son","firstName":"Goku","age":99,"emails":[{"emailAddress":"alf@gmx.de","type":"GMX"},{"emailAddress":"abc@hotmail.de","type":"Microsoft"}]}},"statusCode":"OK","headers":[],"trailingHeaders":[],"isSuccessStatusCode":true}
-------------------------------------------------------------------------------------------------------------------------------------------------------------------------
Http call as curl
-------------------------------------------------------------------------------------------------------------------------------------------------------------------------
curl \
--location \
--request POST 'http://localhost/api/tests/v1/persons' \
--header 'Content-Type: application/json' \
--data-raw '{"Id":1,"Name":"Son","FirstName":"Goku","Age":99,"Emails":[{"EmailAddress":"alf@gmx.de","Type":"GMX"},{"EmailAddress":"abc@hotmail.de","Type":"Microsoft"}]}'
-------------------------------------------------------------------------------------------------------------------------------------------------------------------------
You immediately see:
- Exact failure location:
content.value.name - Expected vs actual:
Son 1vsSon - HTTP context: method, URL, status code
- Reproduction command: generated
curl
curl \
--location \
--request PUT 'http://localhost/api/tests/v1/persons' \
--header 'Content-Type: application/json' \
--data-raw '{"Id":1,"Name":"Son","FirstName":"Goku","Age":99,"Emails":[{"EmailAddress":"alf@gmx.de","Type":"GMX"},{"EmailAddress":"abc@hotmail.de","Type":"Microsoft"}]}'
That is a completely different debugging experience from:
Assert.AreEqual("Son 1", response.Name);
This SDK does not just tell you that something failed. It tells you where, what, under which HTTP call, and how to replay it now.
Response types not matching
══════════════════════════════════════════════════════════════════════════════
HTTP RESPONSE TYPE MISMATCH
══════════════════════════════════════════════════════════════════════════════
Project : Controllers.Test
Class : Controllers.Test.Api.Persons.PersonController.cs
Method : Invalid_Response_Type_Json_Exception
LineNumber : 29
ASSERT CALL
---------------------------------------------------------------------------
return Client.AssertGetAsync<UnknownResponse>("/api/tests/v1/persons",
"GetPersonResponse.json");
---------------------------------------------------------------------------
SUGGESTED FIX
---------------------------------------------------------------------------
return Client.AssertGetAsync<IEnumerable<Person>>("/api/tests/v1/persons",
"GetPersonResponse.json");
---------------------------------------------------------------------------
TYPE VALIDATION
---------------------------------------------------------------------
| Status Code | Endpoint Response Type | Declared Test Type | Match |
---------------------------------------------------------------------
| 200 | IEnumerable<Person> | UnknownResponse | ✗ |
---------------------------------------------------------------------
SUMMARY
The test is a success (2xx) test and declares response type 'UnknownResponse',
but none of the endpoint's success (2xx) status codes return this type.
Endpoint defines: 200 → IEnumerable<Person>
Suggested action:
- Update the test response type to 'IEnumerable<Person>' to match one of the status codes above
Alternative:
- If the endpoint contract is wrong, update the endpoint's ProducesResponseType attributes
-------------------------------------------------------------------------
Http call as curl
-------------------------------------------------------------------------
curl \
--location \
--request GET 'http://localhost/api/tests/v1/persons'
-------------------------------------------------------------------------
Smart endpoint validation with fallback
The SDK validates that your test's response type matches the endpoint's contract using a three-tier strategy.
Tier 1: [ProducesResponseType] attributes
When your endpoint declares explicit response types:
[HttpPost("errors/not-implemented")]
[ProducesResponseType(typeof(ProblemDetails), StatusCodes.Status500InternalServerError)]
public void ThrowNotImplementedException() { ... }
The SDK validates your test type against the declared status codes. Success tests (AssertPostAsync) are checked against 2xx responses. Error tests (AssertPostAsErrorAsync) are checked against 4xx/5xx responses.
Tier 2: Expected response JSON fallback
If no [ProducesResponseType] attributes exist, the SDK extracts the status code from your expected response snapshot:
{
"StatusCode": "InternalServerError",
"IsSuccessStatusCode": false,
"Content": {
"Value": {
"title": "Implementation is missing",
"status": 500
}
}
}
This enables validation even when developers forget to add attributes. The SDK parses both numeric (500) and enum string ("InternalServerError") formats.
Tier 3: Test type mismatch detection
The SDK catches when test type doesn't align with the expected status code:
══════════════════════════════════════════════════════════════════════════════
TEST TYPE MISMATCH
══════════════════════════════════════════════════════════════════════════════
The test is declared as a SUCCESS test (AssertPostAsync, AssertGetAsync, etc.)
but the expected response has status code 500 which is an ERROR status.
Expected Status Code: 500 (InternalServerError)
Test Type: Success (expects 2xx status codes)
SUGGESTED FIX:
- Use AssertPostAsErrorAsync() or similar error assertion method instead
- Or update the expected response to have a success status code (200, 201, etc.)
This catches common mistakes like using AssertPostAsync when you meant AssertPostAsErrorAsync, or vice versa.
Why this matters:
- catches
ProblemDetailsvsValidationProblemDetailsconfusion - works even without explicit attributes
- prevents wrong test type usage
- uses test data that already exists
Why this saves ridiculous amounts of time
Traditional API testing
Typical API tests tend to look like this:
Assert.AreEqual(HttpStatusCode.OK, response.StatusCode);
Assert.AreEqual("application/json; charset=utf-8", response.Content.Headers.ContentType?.ToString());
Assert.AreEqual("Son", body.Name);
Assert.AreEqual("Goku", body.FirstName);
Assert.AreEqual(99, body.Age);
// ...and so on
That approach costs time in three places:
- writing the assertions
- maintaining them when the contract changes
- figuring out what actually broke
With this SDK
await Client.AssertPostAsync<UserResponse>(
"api/v1/users",
"CreateUser.json",
"CreateUser.json");
You get:
- full-response verification instead of cherry-picked assertions
- automatic regression detection when new fields appear
- structured diff output instead of vague failures
- replayable
curloutput instead of manual reproduction steps
Boilerplate reduction that actually matters
| Task | Traditional approach | This SDK |
|---|---|---|
| Add a new edge case | Add DataRow + add JSON + keep them in sync |
Add one JSON file |
| Validate headers + body + status | Multiple asserts | One snapshot |
| Reproduce a failed request | Rebuild it manually | Paste generated curl |
| See nested mismatch location | Manually inspect payloads | Read MemberPath |
| Update snapshots after intentional API changes | Rewrite asserts | Enable snapshot update mode |
The real multiplier: JSON-driven scaling
With DynamicRequestLocator, test count scales with files, not attributes.
- 3 scenarios? Add 3 files
- 30 edge cases? Add 30 files
- new bug found in production? Add one JSON file and you have a permanent regression test
That is why this feels like a productivity tool, not just a test library.
Unique features
DynamicRequestLocator: add a JSON file, get a test
This is the killer idea.
[DataTestMethod]
[DynamicRequestLocator]
public Task Should_Create_User(string requestFileName)
{
return Client.AssertPostAsync<UserResponse>(
"api/v1/users",
requestFileName,
requestFileName);
}
If the Requests folder contains:
ValidUser.jsonAdminUser.jsonMissingField.json
then the test runner gets one case per file automatically.
No manual [DataRow]. No sync issues. No silent gaps.
Why it matters:
- adding a case is just adding a file
- deleting a case is just deleting a file
- file names become readable test names
- coverage naturally stays aligned with your snapshot set
If you have many input variations, this feature alone changes the economics of testing.
Full HTTP response snapshots
This SDK validates the full HTTP response, not just the JSON body.
A single snapshot can include:
- response body
- status code
- headers
- trailing headers
- success state
{
"Content": {
"Headers": [
{
"Key": "Content-Type",
"Value": [ "application/json; charset=utf-8" ]
}
],
"Value": {
"Id": 1,
"Name": "Son"
}
},
"StatusCode": "OK",
"Headers": [],
"TrailingHeaders": [],
"IsSuccessStatusCode": true
}
That means changes in headers, status, or response shape are caught by the same test.
Structured diffs with deep MemberPath precision
When a snapshot fails, you do not get a vague object mismatch. You get exact paths.
----------------------------------------------------------------------------------
| MemberPath | SonGokuNewResponse.json | CurrentResult | MismatchType |
----------------------------------------------------------------------------------
| content.value.name | Son 1 | Son | ValueDifference |
----------------------------------------------------------------------------------
This is especially valuable when:
- payloads are nested
- arrays are involved
- a response changed in only one deep property
- you need to distinguish missing vs changed values
Supported mismatch types include:
ValueDifferenceMissingInFirstMissingInSecond
Array length mismatches
When array lengths differ, the SDK consolidates element-level differences into a single array-level entry.
Instead of showing:
| content.value.emails[0] | null | {"emailAddress": "test@example.com"} | MissingInFirst |
| content.value.emails[1] | null | {"emailAddress": "user@example.com"} | MissingInFirst |
You get:
DIFFERENCES
-----------------------------------------------------------------------------------
| MemberPath | NewPersonParameter.json | CurrentResult | MismatchType |
-----------------------------------------------------------------------------------
| content.value.emails | [] (0 items) | [2 item(s)] | MissingInFirst |
-----------------------------------------------------------------------------------
This makes it immediately clear that the issue is array length, not individual element values.
When arrays have mixed differences (some elements changed, some missing), the SDK shows element-level details. Consolidation only happens when all elements are uniformly missing or added.
Built-in curl generation
Every failed test includes a ready-to-run curl command.
curl \
--request POST 'https://localhost:5001/api/v1/users' \
--header 'Content-Type: application/json' \
--data-raw '{ ... }'
That means:
- faster debugging
- easier collaboration
- simpler reproduction outside the test runner
- better handoff between test failures and API investigation
The generated curl output alone removes a surprising amount of wasted time.
Automatic test generation from live traffic
You can generate tests from actual API usage.
app.UseTestCreator();
The middleware captures requests and responses and turns them into test assets.
This is useful for:
- bootstrapping regression coverage quickly
- documenting legacy APIs
- converting exploratory testing into permanent test cases
- generating real examples from live behavior
Enum test cases without DataRow boilerplate
If you need one test per enum value, use EnumTestCase.
[DataTestMethod]
[EnumTestCase<Status>()]
public async Task Should_Handle_Status(Status status)
{
// test logic
}
Instead of manually listing enum values with [DataRow], test cases are generated automatically.
This is small, but on large suites it removes a lot of repetitive noise.
Snapshot auto-update mode
When an API change is intentional, updating snapshots should be easy.
You can enable snapshot writing per test:
await Client.AssertPostAsync<CreateUserResponse>(
"api/v1/users",
"CreateUser.json",
"CreateUser.json",
writeResponse: true);
Or globally:
AssertObjectExtensions.WriteResponse = true;
Or via environment variable:
AspNetCoreSimpleMsTestSdk__WriteResponse=true
Use it when:
- refactoring response contracts
- updating baselines after intentional changes
- regenerating snapshots across a suite
Global and scoped ignore strategies
Some values are dynamic and should not break the test: timestamps, GUIDs, trace IDs, database-generated IDs.
Global ignore example:
AssertObjectExtensions.DifferenceFunc = differences =>
{
foreach (var difference in differences)
{
if (difference.MemberPath.Contains("timestamp"))
{
continue;
}
yield return difference;
}
};
Scoped ignore example:
await Client.AssertPostAsync<AddUserReponse>(
"api/v1/users",
"NewUser.json",
"NewUser.json",
differenceFunc: differences =>
{
foreach (var difference in differences)
{
if (difference.MemberPath == "Content.Value.Id")
{
continue;
}
yield return difference;
}
});
This lets you keep snapshots strict where they should be strict and flexible where they must be flexible.
Dynamic parameter replacement
If your snapshot needs a runtime value, use placeholders.
var user = await CreateUserAsync();
await Client.AssertGetAsync<GetUserByIdResponse>(
$"api/v1/users/{user.Id}",
"GetUser.json",
[
("$Id$", user.Id)
]);
Snapshot:
{
"content": {
"value": {
"id": "$Id$",
"name": "Son",
"age": 99
}
}
}
This keeps snapshots deterministic while still supporting dynamic test flows.
Retry support for unstable scenarios
For eventual consistency or flaky integration points, use SnapshotTestMethod.
[SnapshotTestMethod(maxRetries: 3)]
public async Task Should_Eventually_Be_Consistent()
{
await Client.AssertGetAsync<Response>("api/eventual", "Response.json");
}
Useful for:
- eventual consistency
- async propagation delays
- snapshot creation flows that need retries before settling
File conventions and folder structure
Use file names, not full resource paths
Prefer this:
"NewUser.json"
Not this:
"Users.V1.Payloads.NewUser.json"
Context-aware disambiguation
If multiple files with the same name exist in different folders, the SDK prefers the file in the same namespace as your test.
Example structure:
Api/
├─ Persons/
│ └─ Requests/SonGoku.json ← Test in Persons namespace uses this
├─ Errors/
│ └─ Requests/SonGoku.json
└─ NativeTypes/
└─ Requests/SonGoku.json
When you reference "Requests.SonGoku.json" from a test in the Api.Persons namespace, the SDK automatically picks Api.Persons.Requests.SonGoku.json.
If needed, you can be more specific:
"Api.Persons.Requests.SonGoku.json" // Fully qualified
"Persons.Requests.SonGoku.json" // Partial namespace
The SDK uses segment-based matching to avoid false positives. "Requests.SonGoku.json" will not match "ErrorRequests.SonGoku.json" because the dot boundary matters.
This means you get:
- short, readable file references in tests
- automatic disambiguation by context
- explicit paths when you need them
- predictable resolution behavior
Recommended structure
Api
└─ Users
└─ V1
└─ Create
└─ Status_200_Ok
├─ Requests
│ ├─ ValidUser.json
│ ├─ AdminUser.json
│ └─ GuestUser.json
├─ Responses
│ ├─ ValidUser.json
│ ├─ AdminUser.json
│ └─ GuestUser.json
└─ CreateUser_Status_200_OK_Test.cs
Why this structure works well
Requestscontains input payloadsResponsescontains expected snapshots- namespace mirrors folder structure
DynamicRequestLocatorcan discover request files automatically- adding scenarios stays simple and predictable
Example:
namespace Api.Users.V1.Create.Status_200_Ok;
[TestClass]
public class CreateUser_Status_200_OK_Test : ApiTestBase
{
[DataTestMethod]
[DynamicRequestLocator]
public Task Should_Create_User(string requestFileName)
{
return Client.AssertPostAsync<UserResponse>(
"api/v1/users",
requestFileName,
requestFileName);
}
}
Setup test base
The SDK provides a very simple out-of-the-box setup pattern.
namespace AspNetCore.Simple.MsTest.Sdk.Test
{
[TestClass]
public abstract class ApiTestBase
{
private static ApiTestBase<Startup> _apiTestBase = null!;
protected static HttpClient Client { get; private set; } = null!;
[AssemblyInitialize]
public static void AssemblyInitialize(TestContext _)
{
_apiTestBase = new ApiTestBase<Startup>(
"Development",
(_, _) => { },
[]);
Client = _apiTestBase.CreateClient();
}
[AssemblyCleanup]
public static void AssemblyCleanup()
{
_apiTestBase.Dispose();
Client.Dispose();
}
}
}
You can also use your own custom setup. The point is that the default path is intentionally small.
More examples / advanced usage
Standard API snapshot test
[TestClass]
public class Persons : ApiTestBase
{
[TestMethod]
public Task Should_Be_Able_To_Post_A_Person_By_Json()
{
return Client.AssertPostAsync<Person>(
"api/tests/v1/persons",
"SonGoku.json",
"SonGoku.json");
}
}
Raw JSON input
Possible, but better for small payloads only.
[TestMethod]
public Task Should_Return_No_Users_If_No_One_Was_Added()
{
return Client.AssertGetAsync<GetAllUsersResponse>(
"v1/users",
"""{ "Users": [] }""");
}
Ignore generated IDs
private static IEnumerable<Difference> IgnoreId(IImmutableList<Difference> differences)
{
foreach (var difference in differences)
{
if (difference.MemberPath == "Content.Value.Id")
{
continue;
}
yield return difference;
}
}
Simple object comparison
This is available too, but the primary value of the SDK is the ASP.NET Core API testing workflow.
[TestMethod]
public void Simple_Object_Comparison()
{
var person1 = new Person("Son", "Goku", 29);
var person2 = new Person("Muten", "Roshi", 63);
Assert.That.ObjectsAreEqual(person1, person2, title: "Persons are not equal");
}
Example output:
Persons are not equal
----------------------------------
| MemberPath | person1 | person2 |
----------------------------------
| Name | Son | Muten |
----------------------------------
| FamilyName | Goku | Roshi |
----------------------------------
| Age | 29 | 63 |
----------------------------------
Custom comparison strategies
The SDK uses a Strategy Pattern for comparisons, making it extensible for custom types.
Built-in strategies:
StringComparisonStrategy- Line-by-line comparison (like git diff) for string types- Perfect for comparing console outputs, log files, error messages
- Use
.txtfiles as snapshots for string comparisons
JsonComparisonStrategy- Deep object comparison via JSON serialization (fallback for all non-string types)- Use
.jsonfiles as snapshots for object comparisons
- Use
How it works:
- Strategies are checked in registration order via
CanCompare() - First matching strategy handles the comparison
- String comparisons use line-by-line diff
- All other types use JSON deep comparison
Example: String comparison from file
[TestMethod]
public void Compare_Error_Message()
{
var error = GetErrorMessage();
// Uses StringComparisonStrategy for line-by-line comparison
Assert.That.ObjectsAreEqual<string>(
expectedObjectAsJson: "ExpectedError.txt",
currentObject: error.Message);
}
Example: Custom CSV comparison strategy
public class CsvComparisonStrategy : ComparisonStrategyBase<CsvData>
{
protected override ComparisonResult CompareTyped(ObjectAssertContext<CsvData> context)
{
var expected = ParseCsv(context.ResolvedExpectedJson);
var current = context.Current;
var differences = CompareCsvRows(expected, current);
return new ComparisonResult
{
Differences = differences,
FormattedExpected = FormatCsv(expected),
FormattedCurrent = FormatCsv(current),
HasSchemaMismatch = differences.Any(d => d.MismatchType != MismatchType.ValueDifference)
};
}
}
Registration:
// In your test setup (before running tests)
services.AddSingleton<ISpecificComparisonStrategy, CsvComparisonStrategy>();
services.AddComparisonStrategy(); // Adds built-in strategies (String + JSON)
Why use ComparisonStrategyBase<T>?
- Automatic type checking via
CanCompare() - Automatic casting to strongly-typed context
- Defensive validation built-in
- You only implement
CompareTyped()with your comparison logic
When NOT to use the base class:
Don't use ComparisonStrategyBase<T> for fallback strategies that handle multiple types (like JsonComparisonStrategy). Implement ISpecificComparisonStrategy directly instead.
Architecture / design philosophy
Snapshot-first, but API-focused
This SDK is not generic snapshot tooling with HTTP support bolted on. It is designed around ASP.NET Core API testing.
That is why the core experience centers on:
- full HTTP response snapshots
- deep object diffs
- request reproduction
- file-based scaling of test coverage
Fail fast, fail with context
The assertion flow is pipeline-based:
- status code validation
- content-type validation
- JSON structure validation
- deep comparison (extensible via custom comparison strategies)
That means failures stop early and come with relevant context instead of a long tail of noisy assertions.
The comparison system uses a Strategy Pattern, making it extensible for custom types beyond the built-in JSON and string comparisons.
Contract drift should be obvious
Traditional tests often validate only the fields someone remembered to assert.
Snapshot testing flips that:
- if a field changes, you see it
- if a field disappears, you see it
- if a field is added, you see it
- if a header changes, you see it
That is exactly what you want for API regression safety.
Real behavior should be easy to turn into tests
The live traffic capture feature exists because good API tests often start with a real request. Recording that request and response into reusable test assets is part of the design, not an afterthought.
When to use this SDK
Great fit
- REST API testing for ASP.NET Core
- integration tests with real HTTP behavior
- contract and regression testing
- large sets of request/response scenarios
- teams that want fast failure diagnosis
- APIs where headers and status matter as much as body shape
Less ideal
- pure unit tests
- performance benchmarks
- load testing
Contributing
This SDK is battle-tested in production environments.
Repository: https://renepeuser.visualstudio.com/_git/AspNetCore.Simple.MsTest.Sdk
License
Copyright 2021-2026 (c) Rene Peuser. All rights reserved.
What changed and why
- Rebuilt the README around impact-first flow. The new structure leads with the value proposition, tiny example, and immediate “why this is different” message instead of starting with a long feature dump.
- Moved the failure output near the top. The debugging experience is one of the strongest differentiators, so the README now shows exact diffs, HTTP context, and generated
curlbefore deeper explanations. - Made
DynamicRequestLocatora centerpiece instead of a buried detail. The “add a JSON file → a test appears” story is now clearly positioned as a major productivity breakthrough. - Cut repetition aggressively. Duplicate explanations of
DynamicRequestLocator,curl, ignore strategies, and snapshot update mode were consolidated into single stronger sections. - Shifted lower-value material later. Folder conventions, test base setup, general object comparison, and architecture details now support the story instead of slowing down the opening.
- Framed the package as a productivity multiplier, not just a test library. The revised README emphasizes speed, scale, debuggability, and boilerplate reduction throughout.
| Product | Versions Compatible and additional computed target framework versions. |
|---|---|
| .NET | net10.0 is compatible. net10.0-android was computed. net10.0-browser was computed. net10.0-ios was computed. net10.0-maccatalyst was computed. net10.0-macos was computed. net10.0-tvos was computed. net10.0-windows was computed. |
-
net10.0
- Asp.Versioning.Abstractions (>= 8.1.0)
- Asp.Versioning.Http (>= 8.1.1)
- Asp.Versioning.Mvc (>= 8.1.1)
- ConsoleTables (>= 2.6.2)
- Extensions.Pack (>= 7.0.0)
- Microsoft.AspNetCore.Mvc.Testing (>= 10.0.5)
- Microsoft.AspNetCore.TestHost (>= 10.0.5)
- MSTest.TestFramework (>= 4.2.1)
- System.CodeDom (>= 10.0.5)
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 |
|---|---|---|
| 8.1.0-alpha.75 | 0 | 4/16/2026 |
| 8.1.0-alpha.1 | 1,606 | 3/30/2026 |
| 8.0.0-alpha.59 | 158 | 3/24/2026 |
| 7.0.33 | 2,307 | 3/16/2026 |
| 7.0.32 | 39 | 3/16/2026 |
| 7.0.31 | 201 | 3/12/2026 |
| 7.0.30 | 95 | 3/11/2026 |
| 7.0.29 | 234 | 3/9/2026 |
| 7.0.28 | 2,533 | 2/17/2026 |
| 7.0.27 | 291 | 2/16/2026 |
| 7.0.26 | 61 | 2/16/2026 |
| 7.0.25 | 53 | 2/16/2026 |
| 7.0.24 | 195 | 2/16/2026 |
| 7.0.23 | 42 | 2/16/2026 |
| 7.0.22 | 47 | 2/16/2026 |
| 7.0.21 | 534 | 2/14/2026 |
| 7.0.20 | 38 | 2/14/2026 |
| 7.0.19 | 88 | 2/13/2026 |
| 7.0.18 | 43 | 2/13/2026 |
| 7.0.17 | 42 | 2/13/2026 |
Core refactoring, new features, better results and response handling