A lightweight cron-like scheduler for in-memory scheduling of your code with second-level precision.
$ dotnet add package TaskSchedulerEngineA lightweight (zero dependencies, <400 lines of code) cron-like scheduler for in-memory scheduling of your code with second-level precision. Implement IScheduledTask or provide a callback, define a ScheduleRule, and Start the runtime. Schedule Rule evaluation is itself lightweight with bitwise evaluation of "now" against the rules (see ScheduleRuleEvaluationOptimized). Each invoked ScheduledTask runs on its own thread so long running tasks won't block other tasks. Targets .NET Core 3.1, .NET 6, .NET 7 (and presumably everything in between).
See sample/ in source tree for more detailed examples.
dotnet add package TaskSchedulerEngine
Nuget link: https://www.nuget.org/packages/TaskSchedulerEngine/
Version number scheme is (two digit year).(day of year).(minute of day).
static async Task Main(string[] args)
{
// Instantiate TaskEvaluationRuntime.
var runtime = new TaskEvaluationRuntime();
// Use the fluent API to define a schedule rule, or set the corresponding properties
// Execute() accepts an IScheduledTask or Action<ScheduleRuleMatchEventArgs, CancellationToken, bool>
var s1 = runtime.CreateSchedule()
.AtSeconds(0)
.AtMinutes(0, 10, 20, 30, 40, 50)
// .AtMonths(), .AtDays(), AtDaysOfWeek() ... etc
// Important note that unset is always *, so if you omit AtSeconds(0) it will execute every second
.WithName("EveryTenMinutes") // Optional ID for your reference
.WithTimeZone(TimeZoneInfo.Utc) // Or string such as "America/Los_Angeles"
.Execute(async (e, token) => {
if(!token.IsCancellationRequested)
Console.WriteLine($"{e.TaskId}: Event intended for {e.TimeScheduledUtc:o} occurred at {e.TimeSignaledUtc:o}");
return true; // Return success. Used by retry scenarios.
});
var s2 = runtime.CreateSchedule()
.ExecuteOnceAt(DateTimeOffset.UtcNow.AddSeconds(5))
.Execute(async (_, _) => { Console.WriteLine("Use ExecuteOnceAt to run this task in 5 seconds. Useful for retry scenarios."); return true; });
var s3 = runtime.CreateSchedule()
.ExecuteOnceAt(DateTimeOffset.UtcNow.AddSeconds(1))
.ExecuteAndRetry(
async (e, _) => {
// Do something that may fail like a network call - catch & gracefully fail by returning false.
// Exponential backoff task will retry up to MaxAttempts times.
return false;
},
4, // MaxAttempts, inclusive of initial attempt
2 // BaseRetryIntervalSeconds
// Retry delay logic: baseRetrySeconds * (2^retryCount)
// In this case will retry after 2, 4, 8 second waits
);
// You can also create rules from cron expressions; * or comma separated lists are supported
// (/ and - are NOT supported).
// Format: minute (0..59), hour (0..23), dayOfMonth (1..31), month (1..12), dayOfWeek (0=Sunday..6).
// Seconds will always be zero.
var s4 = runtime.CreateSchedule()
.FromCron("0,20,40 * * * *")
.WithName("Every20Sec") //Optional ID for your reference
.Execute(async (e, token) => {
if(!token.IsCancellationRequested)
Console.WriteLine($"Load me from config and change me without recompiling!");
return true;
});
// Finally, there are helper methods ExecuteEvery*() that execute a task at a given interval.
var s4 = runtime.CreateSchedule()
// Run the task a 0 minutes and 0 seconds past the hours 0, 6, 12, and 18
.ExecuteEveryHour(0, 6, 12, 18)
.Execute(async (e, token) => {
return true;
});
// Handle the shutdown event (CTRL+C, SIGHUP) if graceful shutdown desired
AppDomain.CurrentDomain.ProcessExit += (s, e) => runtime.RequestStop();
// Await the runtime.
await runtime.RunAsync();
// Listen for some signal to quit
Thread.Sleep(30000);
// Graceful shutdown. Request a stop and await running tasks.
await runtime.StopAsync();
}
EveryTenMinutes example.EveryTenMinutes. While there are other ways to solve this problem, this encourages verbosity. Like Cron, consider being verbose and setting every parameter every time.Validation is basic, so it's possible to create rules that never fire, e.g., on day 31 of February.
Circa 2010, this project lived on Codeplex and ran on .NET Framework 4. An old version 1.0.0 still lives on Nuget. The 2021 edition of this project runs on .NET Core 3.1 and .NET 6. A lot has changed in the intervening years, namely how multithreaded programming is accomplished in .NET (async/await didn't launch until C# 5.0 in 2012). While upgrading .NET 6, I simplified the code, the end result being: this library is incompatible with the 2010 version. While the core logic and the fluent API remain very similar, the class names are incompatible, ITask has changed, and some of the multithreading behaviors are different. This should be considered a new library that happens to share a name and some roots with the old one.