SmokeMe 3.2.0
dotnet add package SmokeMe --version 3.2.0
NuGet\Install-Package SmokeMe -Version 3.2.0
<PackageReference Include="SmokeMe" Version="3.2.0" />
<PackageVersion Include="SmokeMe" Version="3.2.0" />
<PackageReference Include="SmokeMe" />
paket add SmokeMe --version 3.2.0
#r "nuget: SmokeMe, 3.2.0"
#:package SmokeMe@3.2.0
#addin nuget:?package=SmokeMe&version=3.2.0
#tool nuget:?package=SmokeMe&version=3.2.0
SmokeMe! (a.k.a. /smoke ) 
A convention-based dotnet solution to easily declare smoke tests and expose them behind a /smoke endpoint in your API.
use case driven on Bluesky - (thomas.pierrain@shodo.io)
Upgrading from v2? See the Migration Guide (v2 to v3) for breaking changes and step-by-step instructions.
v3 is now split into 2 NuGet packages:
SmokeMe(core, netstandard2.0) andSmokeMe.AspNetCore(net8.0 / net9.0). See Packages for details.
Smoke tests anyone?
Smoke test is preliminary integration testing to reveal simple failures severe enough to, for example, reject a prospective software release.
The expression came from plumbing where a smoke test is a technique forcing non-toxic, artificially created smoke through waste and drain pipes under a slight pressure to find leaks. In software, we use smoke tests in order to find basic issues in production.
This may differ from classical health checks:
health checks are sub-second requests made by Load balancers or infrastructure components to your APIs
- You often just check connectivity with external dependency systems
smoke tests are (sub-ten of seconds) integration tests that check "high-value use cases" of your API to see if it is globally OK. They can take more time than a classical health check.
Smoke tests are useful at two key moments
- Right after a deployment — run them as a go/no-go gate in your CI/CD pipeline. If any critical use case is broken, you know immediately and can rollback before your users even notice.
- Continuously on a running environment (staging, production) — schedule them at regular intervals to detect when something stops working (a third-party dependency goes down, a configuration drifts, a database becomes unreachable…). This enables proactive alerting and support instead of waiting for your users to report the problem.
What SmokeMe brings to the table
The idea of the SmokeMe library is to save you time and let you only focus on writing your functional or technical smoke tests.
All the auto-discovery, infrastructure, plumbing and structured output formatting (for easy consumption by dashboards, CI scripts and alerting tools) are done for you by the library.
But beyond saving time, the real benefit is standardization. By using a convention-based library, all your smoke tests produce the same structured JSON output (see screenshots below). This consistency is what enables tooling: dashboards, CI scripts, alerts — anything that needs to parse and act on smoke test results. This is the power of sameness at work.
Packages
SmokeMe v3 is split into two NuGet packages:
| Package | Target | Purpose |
|---|---|---|
| SmokeMe | netstandard2.0 | Core library — smoke test base class, discovery, execution. No ASP.NET dependency. |
| SmokeMe.AspNetCore | net8.0 / net9.0 | ASP.NET Core integration — AddSmokeMe() + MapSmokeEndpoint() |
If you have smoke tests in a separate class library, that project only needs the SmokeMe package. Only your web host project needs SmokeMe.AspNetCore.
It couldn't be easier!
A. Setup your API
- Add both NuGet packages to your API project:
<PackageReference Include="SmokeMe" Version="3.2.0" />
<PackageReference Include="SmokeMe.AspNetCore" Version="3.2.0" />
- Register and map the smoke endpoint in your
Program.cs:
using SmokeMe.AspNetCore;
var builder = WebApplication.CreateBuilder(args);
builder.Services.AddSmokeMe(); // registers smoke test discovery + configuration
var app = builder.Build();
app.MapSmokeEndpoint(); // GET /smoke (default path, customizable)
app.Run();
That's it. SmokeMe will automatically discover all SmokeTest classes across your loaded assemblies and run them when you hit /smoke.
B. Write your smoke tests
A smoke test scenario is just a class deriving from the SmokeTest abstract class with 3 abstract members to override and a few optional virtual methods (like HasToBeDiscarded() if you want to couple a smoke test to a feature toggle, or CleanUp() if you need to remove production data created during the test).
All the dependencies you need will be automatically injected via constructor injection from your ASP.NET IServiceProvider.
/// <summary>
/// Smoke test/scenario/code to be executed in order to check that a minimum
/// viable capability of your system is working.
///
/// Note: all the services and dependencies you need for it will be automatically
/// injected by the SmokeMe framework via the ASP.NET IServiceProvider of your API
/// (classical constructor-based injection). Can't be that easy, right? ;-)
/// </summary>
[Category("Connectivity")]
public class SmokeTestGoogleConnectivityLocatedInAnotherAssembly : SmokeTest
{
private readonly IRestClient _restClient;
public override string SmokeTestName => "Check connectivity with Google";
public override string Description => "Check that the Google search engine is reachable from our API";
public SmokeTestGoogleConnectivityLocatedInAnotherAssembly(IRestClient restClient)
{
// SmokeMe! will inject you any dependency you need (and already registered in your ASP.NET API IoC)
// (here, we receive an instance of a IRestClient)
_restClient = restClient;
}
public override async Task<SmokeTestResult> Scenario()
{
// check if Google is still here ;-)
var response = await _restClient.GetAsync("https://www.google.com/");
if (response.StatusCode == HttpStatusCode.OK)
{
return new SmokeTestResult(true);
}
return new SmokeTestResult(false);
}
}
You can add one or more SmokeMe attributes such as:
Ignore
[Ignore]
public class SmokeTestDoingStuffs : SmokeTest
{
// smoke test code here
}
or Category to target one or more subsets of smoke tests.
[Category("Booking")]
[Category("Critical")]
public class AnotherSmokeTestDoingStuffs : SmokeTest
{
// smoke test code here
}
C. While deploying or supporting your production
You just GET the /smoke endpoint at the root level of your API.
e.g.:
https://(your-own-api-url):(portnumber)/smoke
or via curl for instance:
curl -X GET "https://localhost:5001/smoke" -H "accept: */*"
And you check the HTTP response type you get:
HTTP 200 (OK)
Means that all your smoke tests have been executed successfully and before the global timeout.
HTTP 504 (GatewayTimeout)
Means that one or more smoke tests have timed out (configurable global timeout is 30 seconds by default).
HTTP 501 (Not implemented)
Means that SmokeMe could not find any SmokeTest type within all the assemblies
that have been loaded into the execution context of this API.
HTTP 500 (Internal Server Error)
Means that SmokeMe has executed all your declared SmokeTest instances but there has been
at least one failing smoke test.
HTTP 503 (Service Unavailable)
Means that smoke test execution has been disabled via configuration.
Configuration
SmokeMe reads its configuration from your appsettings.json under the Smoke: section:
{
"Smoke": {
"GlobalTimeoutInMsec": 30000,
"IsSmokeTestExecutionEnabled": true
}
}
You can also configure programmatically:
builder.Services.AddSmokeMe(options =>
{
options.GlobalTimeout = TimeSpan.FromSeconds(60);
options.IsExecutionEnabled = true;
});
appsettings.json values take precedence over programmatic defaults when both are present.
FAQ
1. Does SmokeMe execute all smoke tests in parallel?
Yes. Every smoke test runs in a dedicated TPL Task.
2. Does SmokeMe have a global timeout?
Yes. It's 30 seconds by default. You can override this value by setting the Smoke:GlobalTimeoutInMsec configuration key in your appsettings.json or via AddSmokeMe(options => ...).
3. How does SmokeMe find my smoke tests?
SmokeMe scans all loaded assemblies for types deriving from SmokeTest. As long as the assembly containing your smoke tests is loaded (referenced by your API project), they will be discovered automatically.
4. How to code and declare a smoke test?
Implement a class deriving from SmokeMe.SmokeTest:
/// <summary>
/// Smoke test to check that room availabilities works and is accessible.
/// </summary>
public class AvailabilitiesSmokeTest : SmokeTest
{
private readonly IAvailabilityService _availabilityService;
public override string SmokeTestName => "Check Availabilities";
public override string Description
=> "TBD: will check something like checking that one can find some availabilities around Marseille city next month.";
/// <summary>
/// Instantiates a <see cref="AvailabilitiesSmokeTest"/>
/// </summary>
/// <param name="availabilityService">The <see cref="IAvailabilityService"/> we need (will be
/// automatically injected par the SmokeMe library)</param>
public AvailabilitiesSmokeTest(IAvailabilityService availabilityService)
{
// availability service here is just an example of
// on of your own API-level registered service automatically
// injected to your smoke test instance by the SmokeMe lib
_availabilityService = availabilityService;
}
/// <summary>
/// The implementation of this smoke test scenario.
/// </summary>
/// <returns>The result of the Smoke test.</returns>
public override Task<SmokeTestResult> Scenario()
{
if (_availabilityService != null)
{
// TODO: implement our smoke test here
// (the one using the _availabilityService to check hotels' rooms availability)
return Task.FromResult(new SmokeTestResult(true));
}
return Task.FromResult(new SmokeTestResult(false));
}
}
5. How can I disable the execution of all smoke tests?
Set Smoke:IsSmokeTestExecutionEnabled to false in your configuration:
{
"Smoke": {
"GlobalTimeoutInMsec": 1500,
"IsSmokeTestExecutionEnabled": false
}
}
The /smoke endpoint will return HTTP 503 (Service Unavailable).
6. How can I run a subset of my smoke tests only?
All you have to do is:
- To declare some [Category("myCategoryName")] attributes on the SmokeTest types you want. For instance:
[Category("DB")]
[Category("Booking")]
public class BookADoubleRoomSmokeTest : SmokeTest
{
// smoke test code here
}
- To call the /smoke HTTP route with the category you want to run specifically as Querystring.
E.g.:
<your-api>/smoke?categories=Booking
or if you want to call all smoke tests corresponding to many categories only (assuming here you want to run only smoke tests having either "Booking", "Critical" or "Payment" category associated):
<your-api>/smoke?categories=Booking&categories=Critical&categories=Payment
7. How can I Ignore one or more smoke tests?
Just add an [Ignore] attribute on the smoke tests you want to Ignore. e.g.:
[Ignore]
public class SmokeTestDoingStuffs : SmokeTest
{
// smoke test code here
}
8. How can I discard the execution of a smoke tests depending on one of our feature flags?
A Discarded Smoke test is a smoke test that exist but won't be run on purpose.
This can be very handy when you want to execute a smoke test for a v next feature of your own, but only when the feature will be toggled/enabled.
To make it happen, just override the HasToBeDiscarded() virtual method of the SmokeTest type and use your own feature toggling mechanism in it to decided whether to Discard this test at runtime or not.
e.g.:
public class FeatureToggledSmokeTest : SmokeTest
{
private readonly IToggleFeatures _featureToggles;
public FeatureToggledSmokeTest(IToggleFeatures featureToggles)
{
_featureToggles = featureToggles;
}
public override Task<bool> HasToBeDiscarded()
{
return Task.FromResult(!_featureToggles.IsEnabled("featureToggledSmokeTest"));
}
public override string SmokeTestName => "Dummy but feature toggled smoke test";
public override string Description => "A smoke test in order to show how to Discard or not based on your own feature toggle system";
public override Task<SmokeTestResult> Scenario()
{
return Task.FromResult(new SmokeTestResult(true));
}
}
9. What is the difference between Ignored and Discarded smoke tests?
An Ignored smoke test is a smoke test that won't run until you remove its [Ignore] attribute (compile-time decision).
A Discarded smoke test is a smoke test that can be run (or not) depending on dynamic conditions at runtime (very handy if you want some smoke tests to be enabled with a given n+1 version or any feature toggle for instance).
10. How can I clean up production data created during a smoke test?
Some smoke tests need to create real data in production (e.g. a booking, a user account) to verify that the system works. You don't want this data to remain after the test.
Override the CleanUp() virtual method:
public class BookingRoundTripSmokeTest : SmokeTest
{
private readonly IBookingService _bookingService;
private string _createdBookingId;
public override string SmokeTestName => "Booking round-trip";
public override string Description => "Creates a booking and verifies it can be retrieved, then deletes it.";
public BookingRoundTripSmokeTest(IBookingService bookingService)
{
_bookingService = bookingService;
}
public override async Task<SmokeTestResult> Scenario()
{
_createdBookingId = await _bookingService.CreateTestBookingAsync();
var booking = await _bookingService.GetBookingAsync(_createdBookingId);
return new SmokeTestResult(booking != null);
}
public override async Task CleanUp()
{
if (_createdBookingId != null)
{
await _bookingService.DeleteBookingAsync(_createdBookingId);
}
}
}
Key behaviors:
CleanUp()runs afterScenario(), whetherScenario()succeeded or failed- If
CleanUp()throws, the test outcome is NOT affected — the error is reported separately in aCleanupErrorfield in the JSON response CleanUp()is NOT called when the test is discarded (viaHasToBeDiscarded())CleanUp()time is included in the total test duration
11. How can I protect the /smoke endpoint with authorization?
Since v3, MapSmokeEndpoint() returns an IEndpointConventionBuilder, which means you can chain any standard ASP.NET Core endpoint configuration — including authorization:
// Require any authenticated user
app.MapSmokeEndpoint().RequireAuthorization();
// Require a specific policy
app.MapSmokeEndpoint().RequireAuthorization("AdminOnly");
// Require a specific role
app.MapSmokeEndpoint().RequireAuthorization(policy =>
policy.RequireRole("Ops", "Admin"));
This works exactly like any other Minimal API endpoint. No SmokeMe-specific configuration needed.
12. Does the smoke report include the runtime environment name?
Yes. The JSON response includes an environmentName field that reflects the current hosting environment (e.g. Development, Staging, Production).
SmokeMe reads ASPNETCORE_ENVIRONMENT first, then falls back to DOTNET_ENVIRONMENT for non-web hosts. This can help you quickly spot misconfigurations — for instance, a production frontend accidentally targeting a development backend.
Next steps
- Security: with a nice way for you to plug your own ACL and rights mechanism to the /smoke resource (so that not everyone is able to execute your smoke tests in production)
- Some tooling so that I can easily reuse/run all my smoke tests in classical acceptance testing sessions (see project: https://github.com/tpierrain/SmokeMe.TestAdapter)
- A way to easily declare that you want to prevent 2 or more smoke tests to be ran in // if needed (something like a [Mutex("idOfIDoNotWantToHaveMoreOfThoseSmokeTestsToBeRanInParallel")] attribute for some of our Smoke tests)
- Some maximum number of smoke tests to be run in parallel optional and configurable limitation mechanism
More on this here and on the issues.
Hope you will enjoy it!
We value your input and appreciate your feedback. Thus, don't hesitate to leave them on the github issues of the project.
| Product | Versions 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. net10.0 was computed. 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. |
| .NET Core | netcoreapp2.0 was computed. netcoreapp2.1 was computed. netcoreapp2.2 was computed. netcoreapp3.0 was computed. netcoreapp3.1 was computed. |
| .NET Standard | netstandard2.0 is compatible. netstandard2.1 was computed. |
| .NET Framework | net461 was computed. net462 was computed. net463 was computed. net47 was computed. net471 was computed. net472 was computed. net48 was computed. net481 was computed. |
| MonoAndroid | monoandroid was computed. |
| MonoMac | monomac was computed. |
| MonoTouch | monotouch was computed. |
| Tizen | tizen40 was computed. tizen60 was computed. |
| Xamarin.iOS | xamarinios was computed. |
| Xamarin.Mac | xamarinmac was computed. |
| Xamarin.TVOS | xamarintvos was computed. |
| Xamarin.WatchOS | xamarinwatchos was computed. |
-
.NETStandard 2.0
- System.Text.Json (>= 8.0.5)
NuGet packages (2)
Showing the top 2 NuGet packages that depend on SmokeMe:
| Package | Downloads |
|---|---|
|
SmokeMe.TestAdapter
Test runner and adapter to transform your SmokeMe! smoke tests into integration tests. |
|
|
SmokeMe.AspNetCore
ASP.NET Core integration for SmokeMe — exposes smoke tests via a /smoke HTTP endpoint using Minimal APIs. Use AddSmokeMe() + MapSmokeEndpoint(). |
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated |
|---|---|---|
| 3.2.0 | 4 | 3/29/2026 |
| 3.1.1 | 25 | 3/29/2026 |
| 3.0.1 | 26 | 3/29/2026 |
| 2.2.0 | 57,061 | 3/9/2022 |
| 2.1.0 | 1,463 | 5/15/2021 |
| 1.3.0 | 929 | 3/21/2021 |
| 1.2.1 | 969 | 12/22/2020 |
| 1.2.0 | 574 | 12/21/2020 |
| 1.1.2 | 664 | 12/20/2020 |
| 1.1.0 | 676 | 12/20/2020 |
| 1.0.0 | 572 | 12/20/2020 |
| 0.2.1 | 621 | 12/19/2020 |
| 0.2.0 | 605 | 12/19/2020 |
| 0.1.0 | 772 | 12/19/2020 |
v3.2.0 — New feature:
- Added EnvironmentName field to the smoke report (issue #11)
- Reads ASPNETCORE_ENVIRONMENT with fallback to DOTNET_ENVIRONMENT
- Helps spot environment misconfigurations at a glance
v3.1.0 — New feature:
- Added virtual CleanUp() method on SmokeTest base class (issue #9)
- CleanUp() runs after Scenario() in both success and failure paths
- CleanUp errors are reported separately (CleanupError field) without affecting test outcome
- CleanUp is NOT called when the test is discarded
v3.0.0 — Breaking changes:
- Split into two packages: SmokeMe (core, netstandard2.0) and SmokeMe.AspNetCore (net8.0/net9.0)
- New ISmokeTestConfiguration interface replaces direct IConfiguration usage
- Registration is now explicit: AddSmokeMe() + MapSmokeEndpoint()
- Removed deprecated ICheckSmoke interface (use SmokeTest abstract class)
- Replaced Newtonsoft.Json with System.Text.Json
- Removed embedded Swashbuckle and API Versioning dependencies
Your existing SmokeTest classes work as-is. Only the hosting setup changes.
Full migration guide: https://github.com/tpierrain/SmokeMe/blob/main/MIGRATION-v2-to-v3.md