mostlylucid.ephemeral
2.3.2
dotnet add package mostlylucid.ephemeral --version 2.3.2
NuGet\Install-Package mostlylucid.ephemeral -Version 2.3.2
<PackageReference Include="mostlylucid.ephemeral" Version="2.3.2" />
<PackageVersion Include="mostlylucid.ephemeral" Version="2.3.2" />
<PackageReference Include="mostlylucid.ephemeral" />
paket add mostlylucid.ephemeral --version 2.3.2
#r "nuget: mostlylucid.ephemeral, 2.3.2"
#:package mostlylucid.ephemeral@2.3.2
#addin nuget:?package=mostlylucid.ephemeral&version=2.3.2
#tool nuget:?package=mostlylucid.ephemeral&version=2.3.2
Mostlylucid.Ephemeral
Fire... and Don't Quite Forget.
Bounded, observable, self-cleaning async execution with signal-based coordination.
dotnet add package mostlylucid.ephemeral
Quick Start
using Mostlylucid.Ephemeral;
// One-shot parallel processing
await items.EphemeralForEachAsync(
async (item, ct) => await ProcessAsync(item, ct),
new EphemeralOptions { MaxConcurrency = 8 });
// Long-lived coordinator
await using var coordinator = new EphemeralWorkCoordinator<WorkItem>(
async (item, ct) => await ProcessAsync(item, ct),
new EphemeralOptions { MaxConcurrency = 8 });
await coordinator.EnqueueAsync(new WorkItem("data"));
// See what's happening
var running = coordinator.GetRunning();
var failed = coordinator.GetFailed();
var pending = coordinator.PendingCount;
// Graceful shutdown
coordinator.Complete();
await coordinator.DrainAsync();
All Options
new EphemeralOptions
{
// ═══════════════════════════════════════════════════════════════
// CONCURRENCY
// ═══════════════════════════════════════════════════════════════
// Max parallel operations overall
// Default: Environment.ProcessorCount
MaxConcurrency = 8,
// Allow runtime concurrency adjustment via SetMaxConcurrency()
// Default: false (fastest hot-path)
EnableDynamicConcurrency = false,
// Max parallel operations per key (keyed coordinators only)
// Default: 1 (sequential per key)
MaxConcurrencyPerKey = 1,
// ═══════════════════════════════════════════════════════════════
// MEMORY / WINDOW
// ═══════════════════════════════════════════════════════════════
// Max operations retained in memory (LRU eviction)
// Default: 200
MaxTrackedOperations = 200,
// Max age for tracked operations before cleanup
// Default: 5 minutes
MaxOperationLifetime = TimeSpan.FromMinutes(5),
// ═══════════════════════════════════════════════════════════════
// FAIR SCHEDULING (keyed coordinators only)
// ═══════════════════════════════════════════════════════════════
// Prevent hot keys from starving cold keys
// Default: false (FIFO ordering)
EnableFairScheduling = false,
// Pending count before a key is deprioritized
// Default: 10
FairSchedulingThreshold = 10,
// ═══════════════════════════════════════════════════════════════
// SIGNALS
// ═══════════════════════════════════════════════════════════════
// Shared signal sink across coordinators
// Default: null (isolated)
Signals = new SignalSink(),
// Sync callback on signal raise (keep fast!)
// Default: null
OnSignal = evt => Console.WriteLine($"Signal: {evt.Signal}"),
// Async callback on signal raise (background queue, non-blocking)
// Default: null
OnSignalAsync = async (evt, ct) => await LogToService(evt, ct),
// Sync callback on signal retract
// Default: null
OnSignalRetracted = evt => Console.WriteLine($"Retracted: {evt.Signal}"),
// Async callback on signal retract
// Default: null
OnSignalRetractedAsync = async (evt, ct) => await NotifyService(evt, ct),
// Max concurrent async signal handlers
// Default: 4
MaxConcurrentSignalHandlers = 4,
// Max queued signals before dropping oldest
// Default: 1000
MaxQueuedSignals = 1000,
// Self-documenting: signals this coordinator may emit
// Default: null (no enforcement)
Emits = new[] { "started", "completed", "error" },
// Self-documenting: signals this coordinator listens for
// Default: null (no enforcement)
Listens = new[] { "backpressure", "shutdown" },
// Constraints for signal propagation (cycles, depth, terminals)
// Default: null
SignalConstraints = new SignalConstraints { MaxDepth = 10 },
// ═══════════════════════════════════════════════════════════════
// SIGNAL-BASED CONTROL FLOW
// ═══════════════════════════════════════════════════════════════
// Skip new items when these signals are present
// Use for circuit-breaker patterns
// Default: null
CancelOnSignals = new HashSet<string> { "circuit-open", "shutdown" },
// Delay new items when these signals are present
// Use for backpressure patterns
// Default: null
DeferOnSignals = new HashSet<string> { "backpressure", "rate-limited" },
// How often to recheck when deferring
// Default: 100ms
DeferCheckInterval = TimeSpan.FromMilliseconds(100),
// Max defer attempts before running anyway
// Default: 50 (5 seconds at 100ms)
MaxDeferAttempts = 50,
// ═══════════════════════════════════════════════════════════════
// SAMPLING
// ═══════════════════════════════════════════════════════════════
// Callback after each operation with window snapshot
// Runs on caller's thread - keep it cheap!
// Default: null
OnSample = snapshot => metrics.Record(snapshot.Count)
}
Coordinators
EphemeralWorkCoordinator<T>
Long-lived work queue with bounded concurrency.
await using var coordinator = new EphemeralWorkCoordinator<Request>(
async (req, ct) => await HandleAsync(req, ct),
new EphemeralOptions { MaxConcurrency = 8 });
// Enqueue work
await coordinator.EnqueueAsync(request);
var id = await coordinator.EnqueueWithIdAsync(request); // Get operation ID
// Query state
var running = coordinator.GetRunning();
var completed = coordinator.GetCompleted();
var failed = coordinator.GetFailed();
var snapshot = coordinator.GetSnapshot();
var byId = coordinator.GetById(id);
// Stats
int pending = coordinator.PendingCount;
int active = coordinator.ActiveCount;
int totalCompleted = coordinator.TotalCompleted;
int totalFailed = coordinator.TotalFailed;
// Dynamic concurrency (requires EnableDynamicConcurrency = true)
coordinator.SetMaxConcurrency(16);
int current = coordinator.CurrentMaxConcurrency;
// Signals
bool hasError = coordinator.HasSignal("error");
int errorCount = coordinator.CountSignals("error");
var errors = coordinator.GetSignalsByPattern("error.*");
var recent = coordinator.GetSignalsSince(DateTimeOffset.UtcNow.AddMinutes(-1));
// Shutdown
coordinator.Complete(); // Stop accepting new work
await coordinator.DrainAsync(); // Wait for in-flight to finish
EphemeralKeyedWorkCoordinator<T, TKey>
Per-key sequential processing with optional fair scheduling.
await using var coordinator = new EphemeralKeyedWorkCoordinator<Order, string>(
keySelector: order => order.CustomerId,
body: async (order, ct) => await ProcessOrder(order, ct),
new EphemeralOptions
{
MaxConcurrency = 16, // Total parallel
MaxConcurrencyPerKey = 1, // Sequential per customer
EnableFairScheduling = true // Prevent hot customer starvation
});
await coordinator.EnqueueAsync(order);
EphemeralResultCoordinator<TInput, TResult>
Capture results from async operations.
await using var coordinator = new EphemeralResultCoordinator<Request, Response>(
async (req, ct) => await FetchAsync(req, ct),
new EphemeralOptions { MaxConcurrency = 4 });
var id = await coordinator.EnqueueAsync(request);
var snapshot = await coordinator.WaitForResult(id);
if (snapshot.HasResult)
Console.WriteLine(snapshot.Result);
else if (snapshot.Exception != null)
Console.WriteLine($"Failed: {snapshot.Exception.Message}");
PriorityWorkCoordinator<T>
Multiple priority lanes.
var coordinator = new PriorityWorkCoordinator<WorkItem>(
body: async (item, ct) => await ProcessAsync(item, ct),
new PriorityWorkCoordinatorOptions<WorkItem>(
Lanes: new[]
{
new PriorityLane("critical", MaxDepth: 100),
new PriorityLane("high"),
new PriorityLane("normal"),
new PriorityLane("low")
}
));
await coordinator.EnqueueAsync(item, "critical");
Extension Method
One-shot parallel processing of collections.
await items.EphemeralForEachAsync(
async (item, ct) => await ProcessAsync(item, ct),
new EphemeralOptions
{
MaxConcurrency = 8,
OnSignal = evt => Console.WriteLine(evt.Signal)
});
Signals
Emitting Signals
// From within operation body (via ISignalEmitter passed to body)
await coordinator.EnqueueAsync(request); // Body receives emitter
// From shared sink
var sink = new SignalSink();
sink.Raise("backpressure.downstream");
sink.Raise(new SignalEvent("error.timeout", operationId, key, DateTimeOffset.UtcNow));
// Retract signals
sink.Retract("backpressure.downstream");
Querying Signals
// Exact match
bool hasError = coordinator.HasSignal("error");
int count = coordinator.CountSignals("error");
// Pattern matching (glob-style: * and ?)
var errors = coordinator.GetSignalsByPattern("error.*");
var httpErrors = coordinator.GetSignalsByPattern("http.error.*");
// Time-based
var recent = coordinator.GetSignalsSince(DateTimeOffset.UtcNow.AddSeconds(-30));
// From shared sink
var snapshot = sink.Sense();
var filtered = sink.Sense(s => s.Signal.StartsWith("error"));
Shared Signal Sink
var sink = new SignalSink(maxCapacity: 1000, maxAge: TimeSpan.FromMinutes(5));
var coordinator1 = new EphemeralWorkCoordinator<A>(body, new EphemeralOptions { Signals = sink });
var coordinator2 = new EphemeralWorkCoordinator<B>(body, new EphemeralOptions { Signals = sink });
// Both coordinators see signals raised by either
sink.Raise("system.maintenance");
Molecules & Atom triggers
Use the mostlylucid.ephemeral.atoms.molecules package when you want to treat several atoms as one workflow.
MoleculeBlueprintBuilder lets you describe each step, wire its signals into downstream steps, and build a blueprint
that MoleculeRunner listens for (matching on a trigger signal and shared SignalSink). The runner raises
MoleculeStarted, MoleculeCompleted, and MoleculeFailed, so you can observe what the chef (coordinator) dropped
into the soup, and AtomTrigger gives you a lightweight watcher that starts additional atoms or molecules whenever a
signal pattern fires.
Scheduled tasks
DurableTaskAtom + ScheduledTasksAtom turn cron/JSON schedules into durable work inside your coordinator window.
Create ScheduledTaskDefinitions (cron expression, signal, optional key, payload, description, timeZone,
format, runOnStartup, etc.), point the scheduler at SignalSink, and let it enqueue DurableTasks that emit the
configured signals. Because the work runs inside the same coordinator, it inherits pinning, signal logging, and
responsibility semantics along with your ad-hoc work.
Responsibility signals & echoes
Coordinators implement IOperationPinning and raise OperationFinalized when entries leave the window.
ResponsibilitySignalManager provides PinUntilQueried so atoms can declare responsibility (pin) until a downstream
ack signal arrives, preventing resources from disappearing while they await consumers. Subscribe to OperationFinalized
to record “last words” (logs, diagnostics, signals) via LastWordsNoteAtom, or let OperationEchoMaker capture typed
echoes for a configurable window so molecules, monitors, or auditors can still read the final signal wave.
Dependency Injection
// Register
services.AddEphemeralWorkCoordinator<WorkItem>(
async (item, ct) => await ProcessAsync(item, ct),
new EphemeralOptions { MaxConcurrency = 8 });
// Named coordinators
services.AddEphemeralWorkCoordinator<WorkItem>("priority",
async (item, ct) => await ProcessPriorityAsync(item, ct),
new EphemeralOptions { MaxConcurrency = 4 });
// Inject
public class MyService(IEphemeralCoordinatorFactory<WorkItem> factory)
{
public async Task DoWork()
{
var coordinator = factory.CreateCoordinator();
// or: factory.CreateCoordinator("priority")
await coordinator.EnqueueAsync(new WorkItem());
}
}
Related Packages
| Package | Description |
|---|---|
| mostlylucid.ephemeral.atoms.fixedwork | Fixed worker pool with stats |
| mostlylucid.ephemeral.atoms.keyedsequential | Per-key sequential processing |
| mostlylucid.ephemeral.atoms.signalaware | Pause/cancel on signals |
| mostlylucid.ephemeral.atoms.batching | Time/size batching |
| mostlylucid.ephemeral.atoms.retry | Exponential backoff retry |
| mostlylucid.ephemeral.patterns.circuitbreaker | Signal-based circuit breaker |
| mostlylucid.ephemeral.patterns.backpressure | Signal-driven backpressure |
| mostlylucid.ephemeral.complete | All packages in one DLL |
Target Frameworks
.NET 6.0, 7.0, 8.0, 9.0, 10.0
License
Unlicense (public domain)
| Product | Versions Compatible and additional computed target framework versions. |
|---|---|
| .NET | net8.0 is compatible. 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 is compatible. 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 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
- Microsoft.Extensions.DependencyInjection.Abstractions (>= 10.0.1)
- System.IO.Hashing (>= 10.0.1)
-
net8.0
- Microsoft.Extensions.DependencyInjection.Abstractions (>= 10.0.1)
- System.IO.Hashing (>= 10.0.1)
-
net9.0
- Microsoft.Extensions.DependencyInjection.Abstractions (>= 10.0.1)
- System.IO.Hashing (>= 10.0.1)
NuGet packages (44)
Showing the top 5 NuGet packages that depend on mostlylucid.ephemeral:
| Package | Downloads |
|---|---|
|
mostlylucid.botdetection
Bot detection middleware for ASP.NET Core applications with behavioral analysis, header inspection, IP-based detection, and optional LLM-based classification. |
|
|
mostlylucid.ephemeral.complete
Meta-package that references all Mostlylucid.Ephemeral packages - bounded async execution with signals, atoms, and patterns. Install this single package to get everything. |
|
|
Mostlylucid.Ephemeral.Atoms.Data
Core data storage abstractions for signal-driven persistence. Provides common interfaces and configuration for file, SQLite, and PostgreSQL storage atoms. |
|
|
Mostlylucid.Ephemeral.Atoms.Batching
Collects items into batches by size or time interval before processing. |
|
|
Mostlylucid.Ephemeral.Atoms.FixedWork
Minimal atom wrapper for fixed-concurrency work pipelines with stats tracking. |
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated |
|---|---|---|
| 2.3.2 | 1,106 | 1/9/2026 |
| 2.3.1 | 1,026 | 1/9/2026 |
| 2.3.1-alpha0 | 973 | 1/9/2026 |
| 2.3.0 | 1,112 | 1/8/2026 |
| 2.3.0-alpha1 | 1,084 | 1/8/2026 |
| 2.1.0 | 1,005 | 1/8/2026 |
| 2.1.0-preview | 978 | 1/8/2026 |
| 2.0.1 | 978 | 1/8/2026 |
| 2.0.0 | 1,020 | 1/8/2026 |
| 2.0.0-alpha1 | 1,307 | 1/8/2026 |
| 1.7.1 | 1,382 | 12/11/2025 |
| 1.6.8 | 1,238 | 12/9/2025 |
| 1.6.7 | 1,221 | 12/9/2025 |
| 1.6.6 | 1,211 | 12/9/2025 |
| 1.6.5 | 1,210 | 12/9/2025 |
| 1.6.0 | 1,201 | 12/8/2025 |
| 1.5.0 | 1,123 | 12/8/2025 |
| 1.3.0 | 953 | 12/7/2025 |
| 1.2.2 | 941 | 12/7/2025 |
| 1.1.0-preview2 | 712 | 12/7/2025 |
| 1.0.0-preview3 | 670 | 12/7/2025 |
v2.0.0
BREAKING: SignalRaised event removed - use Subscribe() instead
BREAKING: .NET 6.0/7.0 removed - minimum is .NET 8.0
NEW: Detection Ledger System for evidence accumulation
- DetectionLedger aggregates detector contributions with sigmoid function
- DetectionContribution with factory methods (Bot, Human, VerifiedBot, etc.)
- CategoryScore breakdown for explainability
- IEntityLedger generic interface for any entity type
- LedgerSignal with salience and provenance metadata
NEW: Lock-free Signal Subscription
- sink.Subscribe(handler) returns IDisposable
- Pattern-based forwarding: errorSink.SubscribeToPattern(mainSink, "error.*")
NEW: WindowSizeAtom for dynamic capacity management via signals
SECURITY: Patched System.Text.Json and Npgsql vulnerabilities
PERF: Bounded cleanup iteration prevents degradation under load