DroidSolutions.Oss.JobService
3.2.1
Prefix Reserved
See the version list below for details.
dotnet add package DroidSolutions.Oss.JobService --version 3.2.1
NuGet\Install-Package DroidSolutions.Oss.JobService -Version 3.2.1
<PackageReference Include="DroidSolutions.Oss.JobService" Version="3.2.1" />
paket add DroidSolutions.Oss.JobService --version 3.2.1
#r "nuget: DroidSolutions.Oss.JobService, 3.2.1"
// Install DroidSolutions.Oss.JobService as a Cake Addin #addin nuget:?package=DroidSolutions.Oss.JobService&version=3.2.1 // Install DroidSolutions.Oss.JobService as a Cake Tool #tool nuget:?package=DroidSolutions.Oss.JobService&version=3.2.1
DroidSolutions Job Service
Library to manage recurring jobs.
The DroidSolutions Job service offers tools that help managing recurring jobs. It is split in multiple packages that are explained below. These contains NuGet packages for .NET 7 as well as an NPM package.
Examples of jobs are:
- check every hour for new entries in a database to process
- download current information from an API every day
- run a job to clean up no longer needed data
- delay a task coming from UI to execute at a later time
Why not Cron?
For recurring jobs you could also use a cronjob and there is nothing wrong with that. In general this library allows to have a similar experience like with a cron job with the following differences:
- Jobs are not executed exactly at a given time. Instead they have a due date and whenever a runner is checking for a job it will execute the job with the oldest due date that's already passed. Depending on the check interval you configure there might be some time between due date and actual execution. In fact, jobs do not need to be recurring at all, you can use this library to manage one time jobs.
- Job execution intervals are not always equal. When a job is executed and it is configured to add another job, the next job is added after the previous job is done executing. The next due date will be calculated from that point on, so time between jobs depend on the execution time and the configured interval.
- Jobs are persistent, you have a storage for all jobs (presumably a database table) that you can use to display job executions or view results of the jobs.
- Job execution can be integrated in your application. While a cronjob probably is an own piece of software or a script, the job worker can be integrated in your application and share code with it. This is useful when the job needs logic that other parts of your application also need. You also can easily dynamically add a job from your application logic if it is needed.
Packages
This section describes which packages are availabe for which eco systems.
DroidSolutions.Oss.JobService
This NuGet package contains interfaces for a job and a job repository as well as a base worker service to work with them.
DroidSolutions.Oss.JobService.EFCore
This NuGet package contains a concrete implementation of the IJob and IJobRepository using Entity Framework Core. It also offers an interface that a DbContext can implement that the repository implementation needs.
DroidSolutions.Oss.JobService.Postgres
This NuGet package contains a concrete implementation of the IJobRepository with Postgres specific JSON querying using Npgsql.
@droidsolutions-oss/job-service
This NPM package contains TypeScript interfaces that are generated from the .NET interfaces of the DroidSolutions.Oss.JobService package and an abstract JobWorkerBase
class. These can be used for a NodeJS implementation of the job repository and the worker service.
Interfaces and Classes
The main interfaces and classes of the packages are described in this section.
IJobBase
The basis of this library are jobs. Jobs can be added, started, finished and processed.
This interface is available in C# as well as TypeScript.
A job is meant to be stored somewhere (like a table in a database) and holds information about the job. This includes dates of creation, last update and when the job is due. There is also a state and a type to distinguish jobs of different types as well as optional properties that relate to job progress.
This interface describes base jobs without any parameters or result. They can be used when they don't need additional information to run or store their result elsewhere.
IJob<TParams, TResult>
An extension of the base jobs with generic type arguments for parameters and results.
In addition to base jobs they store parameters and a result with them. There is an interface IJob<TParams, TResult>
which serves as the basis for a concrete database entity.
This interface is available in C# as well as TypeScript.
Jobs are generic, where the type arguments are meant for parameters and the result that a job can have. Those can be serialized to and from JSON when interacting with the database.
There is a concrete implementations of IJob<TParams, TResult>
for Entity Framework Core in the DroidSolutions.Oss.JobService.EFCore package.
Entity Framework Core specifics
The JobBase
class is a concrete implementation of the IJobBase
interface which has annotations that may be useful when using it as an entity for Entity Framework Core.
The Job<TParams, TResult>
class is an extension that implementats the IJob<TParams, TResult>
interface. The paramaters and results are currently directly mapped to jsonb
column for PostgreSQL.
Internally the properties for parameter and result are mapped to fields in the database to allow interoperatibility with NodeJS or other projects. This means there are ParametersSerialized
and ResultSerialized
properties that contain the JSON string and are mapped to the database where the Paramters
and Result
properties contain the actual deserialized values for you to use.
When implementing your own IJobRepository<TParams, TResult>
you are responsible for serializing and deserializing the values yourself.
IJobRepository<TParams, TResult>
There is a C# and a TypeScript interface for a repository that works with the job entity. It can be implemented to serve as a wrapper for database related actions. The generic type parameters are the same as for jobs, so a repository is repsonsible for exactly one type of jobs. The repository acts as the data layer of the application and wraps around all database interaction regarding jobs.
Like for the job there are concrete implementations for EF Core and TypeORM.
Entity Framework Core specifics
On the .NET side there is an interface IJobContext
that can be implemented in your DbContext. This uses the JobBase
class which has annotations that may be useful when using it as an entity for Entity Framework Core.
The JobRepositoryBase<TContext, TParams, TResult>
is a full implementation of the IJobRepository<TParams, TResult>
interface using the Job<TParams, TResult>
entity where necessary. Parameters and results are optional, that's why the IJobContext
only uses the BaseJob
entity. The JobRepositoryBase<TContext, TParams, TResult>
handles checks for parameter and result existence and uses JobBase
where they don't apply. If theyare needed, JobBase
entities are casted to Job<TParams, TResult>
. For this to work, your DbContext
must register the entity, for example like this:
public class TestContext : DbContext, IJobContext
{
public DbSet<JobBase> Jobs { get; set; }
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
// Register entity with concrete params and result types
modelBuilder.Entity<Job<TestParameter, TestResult>>();
}
}
To allow interoperatibility with job workers that use NodeJS the parameters and result are serialized with special options using camelCase property names. This can be extended or overwritten via the protected GetSerializerOptions
method. In the background the Job<TParams, TResult>
class has ParametersSerialized
and ResultSerialized
properties that hold the converted json and act as the actual database columns. The repository handles this in all methods where it is necessary so you shouldn't have to do this yourself.
Adding jobs, starting jobs and setting job progress is done via transactions and table or row locks. This ensures no two parallel running worker can receive the same job or work on the same job.
The repository constructor expects an instance of the data context that implements IJobContext
as well a an ILogger
instance. If you have set up dependency injection in a standard ASP.NET Core app there should be no problem, just make sure you have added the db context that implements IJobContext
to the depdency injection via services.AddDbContext()
.
Worker
The JobWorker<TParams, TResult>
(C#) or JobWorkerBase
(TypeScript) is an abstract base class for managing the jobs. It uses the IJobRepository<TParams, TResult>
interface to work with the database. It checks for available jobs, calls a processing function for each and finishes the job (or resets it in case of a failure). It offers some extensibility methods where the implementer can add code specific for the type of job it wants to process.
Pass an instance of the JobRepository
or any other class that implements IJobRepository<TParams, TResult>
to the constructor, along with a settings object. You can use the IJobWorkerSettings
interface in NodeJS to know which properties are expected.
There are two lifecycle hooks before and after each run that can optionally be implemented to add custom logic before and after each job run.
ASP.NET Core specifics
Add a class for your worker that extends the JobWorker<TParams, TResult>
class and implements the abstract methods.
The extended worker class can be added as a hosted service. Be sure to configure the dependency injection to be able to provide an OptionsMonitor with the JobWorkerSettings
to the worker constructor. For example you could use something like this services.Configure<JobWorkerSettings>(Configuration.GetSection("WorkerSettings"));
. You can also extend the settings class if you need other settings for your implemented worker.
The PreJobRunHook
is called when a new run is executed. At this time the worker has not checked if a job is available and therefore no job exists yet. This hook can be used to set up a logger, correlation id or Sentry transactions, though it is not guarenteed that a job is available.
Note The JobWorkerBase
uses the NanoId package. Up until version 2.1.2 of this package NanoId 2.1.0 was used. In 3.0.0 NanoId changed the general namespace which can lead to incompatibilities. Since version 3.0.0 of the DroidSolutions.Oss.JobService
package NanoId 3.0.0 is used. If you don't use the NanoId package yourself, this should not be a problem, but if you use a different version of NanoId there can be problems.
NodeJS specifics
The TypeScript side has an abstract JobWorkerBase
class that can be used as the basis of a worker implementation. For this you'll need a concrete implementation of the IJobRepository interface and pass it along with settings to the constructor. You'll then have to implement the abstract methods and you'll should be good to go.
Usage
The following is a detailed guide on how to use this library for either ASP.NET Core (C#) or NodeJS (TypeScript).
ASP.NET Core
The concrete implementation depends on the kind of database you want to use. There are already implementations for Entity Framework Core and PostgreSQL for which the following guide is specific to.
Add the
DroidSolutions.Oss.JobService
,DroidSolutions.Oss.JobService.EFCore
andDroidSolutions.Oss.JobService.Postgres
packages as well as references toMicrosoft.EntityFrameworkCore
andNpgsql.EntityFrameworkCore.PostgreSQL
.Create types for your job parameters and result. If you don't need one or both of them you can use
object?
.Let your db context implement the
IJobContext
interface. That could look like thispublic class TestContext : DbContext, IJobContext { public TestContext([NotNull] DbContextOptions options) : base(options) { } public DbSet<JobBase> Jobs { get; set; } }
Register the job entities you need in the
DbContext
, if you don't need parameters and or results, useobject
:public class TestContext : DbContext, IJobContext { protected override void OnModelCreating(ModelBuilder modelBuilder) { // Register entity with object for jobs without params and result modelBuilder.Entity<Job<object, object>>(); // or register entity with concrete params and result types modelBuilder.Entity<Job<TestParameter, TestResult>>(); } }
If you want to share the database with services in other languages (such as NodeJS) or generally want to have the
JobState
enum as a text column you can use theJobStateToDescriptionConverter
by adding it in theOnConfiguring
method of the db context.using DroidSolutions.Oss.JobService.EFCore.Entity; using DroidSolutions.Oss.JobService.EFCore.Converter; // ... protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder) { modelBuilder.Entity<Job<TestParameter, TestResult>>(entity => { entity.Property(x => x.State).HasConversion(new JobStateToDescriptionConverter()); }); }
Register the
PostgresJobRepository
class in the dependency injection. For exampleservices.AddScoped<IJobRepository<TestParameter, TestResult>, PostgresJobRepository<TestContext, TestParameter, TestResult>>();
Don't forget to also register the db context.
Add your own worker settings class extending from
JobWorkerSettings
. This contains settings that control how your worker behaves.public class DeleteJobSettings : JobWorkerSettings { public DeleteJobSettings() : base("visitor:cleanup") { } public int MySpecialSetting { get; set; } }
Add a class that extends and implements
JobWorkerBase<TParams, TResult>
. Inject anIOptionsMonitor<DeleteJobSettings>
(or the defaultJobWorkerSettings
), anILoggerFactory
and an instance of the IServiceProvider. Pass all three of those to the base contructor and implement the abstract methods. The result could look like this:public class DeleteVisitorWorker : JobWorkerBase<TestParameter, TestResult> { public DeleteVisitorWorker( IOptionsMonitor<DeleteJobSettings> settings, IServiceProvider serviceProvider, ILoggerFactory loggerFactory) : base(settings, serviceProvider, loggerFactory.CreateLogger<JobWorkerBase<TestParameter, TestResult>>()) { } protected override string GetRunnerName() { string version = typeof(Program).Assembly .GetCustomAttribute<AssemblyInformationalVersionAttribute>() .InformationalVersion return $"my-app-name-{version}"; } // optional protected override TestParameter? GetInitialJobParameters() { return new TestParameter { SomeProp = "MyValue" }; } // optional protected override void PreJobRunHook() { // optional logic before a job run starts } // optional protected override void PostJobRunHook() { // optional logic after a job is complete } /// <inheritdoc/> protected override async Task<TestResult> ProcessJobAsync( IJob<TestParams, TestResult> job, IServiceScope serviceScope, CancellationToken cancellationToken) { var myService = serviceScope.ServiceProvider.GetService<MyService>(); var result = await myService.DoSomething(job.Parameters, cancellationToken); return new TestResult { MyProp = result.Something, }; } }
- The
GetRunnerName
method should return a string that is unique for this worker class. The base implementation will add a random string to it so it is distinguishable if your application is running in more than one instance. GetInitialJobParameters
is called when you setAddInitialJob
in your settings to true. This way the worker will call this method to get the parameters of the first job.- The
PreJobRunHook
is called once before the worker checks if a job is available and can be used for custom logic. For example you could generate a correlation id and set it to the log context for following logs. - The
PostJobRunHook
is called once after a job run and can be used for custom cleanup logic. For example you could remove a previously set correlation id from the log context. The post hook is also called when no job was actually executed. - The
ProcessJobAsync
method is where you put your logic to actually process the job. it is only called when a job to execute exists and contains the job, a service scope for this execution and a CancellationToken. If your job has a result you should return it from this method.
- The
Add your worker as a hosted service.
services.AddHostedService<DeleteVisitorWorker>();
Generate Migration to add or update the Job table.
NodeJS
The worker service can be used in JavaScript/TypeScript projects.
Install the package
npm install @droidsolutions-oss/job-service
Create an implementation of the
IJobRepository<TParams, TResult>
interface. If you are using TypeORM you can use the@droidsolutions-oss/job-service-typeorm
package which already comes with an implemantation of the interface. Otherwise you can implement it with the database layer of your choice. In TypeScript it would look like this (note Prisma is used in this example):import { IJob, IJobRepository, JobState } from "@droidsolutions-oss/job-service"; import { Prisma, PrismaClient } from "@prisma/client"; // Note: if you only need one type of job you can also use the type directly instead of a generic here export class JobRepository<TParams, TResult> implements IJobRepository<TParams, TResult> { constructor(private readonly client: PrismaClient) {} public async addJobAsync( type: string, dueDate?: Date, parameters?: TParams, cancellationToken?: AbortSignal, ): Promise<IJob<TParams, TResult>> { cancellationToken?.throwIfAborted(); // create a new job const job = await this.client.job.create({ data: { dueDate: dueDate ?? new Date(), parameters: parameters as Prisma.JsonObject, state: JobState.Requested, type, }, }); // save the job to the database, reload it and then return it with the new id return job; } // Implement the other methods from the interface }
Optional if you need custom settings create your own settings interface that extends from
IJobWorkerSettings
.import { IJobWorkerSettings } from "@droidsolutions-oss/job-service"; export interface MyWorkerSettings extends IJobWorkerSettings { checkInput: boolean; }
Create your worker, extending from
JobWorkerBase<TParams, TResult>
.import { IJob, JobWorkerBase, LoggerFactory } from "@droidsolutions-oss/job-service"; import { JobRepository } from "../repository/JobRepository"; import { MyWorkerSettings } from "../dto/MyWorkerSettings"; export interface ExampleResult { errors?: string[]; } export class ExampleWorker extends JobWorkerBase<string[], ExampleResult> { constructor( settings: MyWorkerSettings, jobRepo: JobRepository<string[], ExampleResult>, loggerFactory?: LoggerFactory, private readonly appVersion: string, ) { super(settings, jobRepo, loggerFactory); } public getRunnerName(): string { // Use host name and the current application version, JobWorkerBase will append a random string to it return `${process.env.HOSTNAME}-v${this.appVersion}`; } public getInitialJobParameters(): string[] | undefined { return undefined; } public preJobRunHook(): void { // Optional: run any things you want before each job run. // This will be executed before checking if there is a job to execute } public postJobRunHook(): void { // Optional: run any things for cleanup // This will be executed after each job, even if there was no job to execute } public async processJobAsync(job: IJob<string[], ExampleResult>, cancellationToken: AbortSignal): Promise<ExampleResult> { // You can safely throw here, it will be catched by JobWorkerBase cancellationToken.throwIfAborted(); const result: ExampleResult = { errors: []; } for (const input of job.parameters) { if (cancellationToken.aborted) { break; } try { // Do you job handling here } catch (err) { result.errors.push[`Error handling input ${input}: err.message`]; } } return result; } }
Let your application initialize the worker.
import { Prisma, PrismaClient } from "@prisma/client"; import { MyWorkerSettings } from "./dto/MyWorkerSettings"; import { JobRepository } from "./repository/JobRepository"; import { ExampleResult, ExampleWorker } from "./worker/ExampleWorker"; const prismaClient = new PrismaClient(); const exampleRepo = new JobRepository<string[], ExampleResult>>(prismaClient); const settings: MyWorkerSettings = { addInitialJob: true, // Create a job if none exists addNextJobAfter: { hours: 1 }, // Repeat job every hour jobType: "my-example-job", checkInput: true }; const abortController = new AbortController(); const worker = new ExampleWorker(settings, exampleRepo, undefined); // Optional provide a logger factory const executePromise = worker.executeAsync(abortController.signal); // When you want to stop the worker (e.g. shutting down the app) use the controller to abort abortController.abort(new Error("App is shutting down")); await executePromise; // Promise will resolve once the worker finished processing the current job or reset it if cancellationToken.throwIfAborted(); was used
Worker
The worker service is a kind of background service that regularily checks if a job should be executed and executes the job with the earliest due date. It can also add a new job after execution thus creating end endless reoccuring job.
The worker is controlled via settings. You can create your own settings class that must extend from JobWorkerSettings
and add your own properties that you need for job processing. But you can also just just the provided settings if you don't need your own. Those settings are explained below.
JobWorkerSettings
JobWorkerSettings
control how to worker behaves.
JobType
(Required)
The most important one is the type. This string controls which type of job the worker processes. Only jobs with the exact same type are fetched and executed by the worker.
You can provide the job type in the constructor when instantiating your settings instance or set the JobType
property.
InitialDelaySeconds
(Optional, default 30
)
This settings controls the initial delay before the worker will start. This is used to prevent the first job run before the rest of the application is finished starting, due to the way ASP.NET Core handles BackgroundService
s. The worker will wait the given amount of seconds before looking for the first job.
JobPollingIntervalSeconds
(Optional, default 10
)
This settings controls the time between job processings. Once the InitialDelaySeconds have passed the worker will begin looking for the job of the type specified in the JobType that has the oldest due date. After the job is processed or if no job exists the worker will wait the amount of seconds given in this setting until it checks for a job again.
AddNextJobAfter
(Optional, default null
)
If a TimeSpan
is given to this setting then the worker will add a new job after it finishes processing one and set the due date to the current date plus the time span. With this you can create an endless job that is executed every given time span.
Leave this empty if you want a one time job (or create jobs from somewhere else).
Note: You can specify TimeSpan
values via appsettings.json
by following Standard TimeSpan format strings.
AddInitialJob
(Optional, default false
)
If given the worker will look for a job of the given type with a due date in the past. If none is found the worker creates one and calls the GetInitialJobParameters
method to get the parameters of it. The due date of the initial job will be the current date plus the AddNextJobAfter period of time.
DeleteJobsOlderThan
(Optional, default null
)
If a TimeSpan
is given to this setting then the worker will delete finished jobs after each job run. From the current timestamp the given timespan is substracted, every finished job of the type that is set via JobType
whose UpdatedAt
is older than the calculated time is removed from the database. You can use this to prevent an ever growing database, especially when you run jobs in short intervalls.
The worker will delete jobs the first time it runs and than every 24 hours. The cleaning will be between PreJobRunHook
and PostJobRunHook
after the current job was executed.
Note: You can specify TimeSpan
values via appsettings.json
by following Standard TimeSpan format strings.
In NodeJS
you can give an object with days
, hours
, minutes
, seconds
or a combination of those. For example, to remove jobs older than 6 months you could set this in you config.json
:
{
"someWorker": {
"jobType": "some-job",
"deleteJobsOlderThan": {
"days": 180
}
}
}
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. |
-
net8.0
- Microsoft.Extensions.Hosting.Abstractions (>= 8.0.0)
- Microsoft.Extensions.Logging.Abstractions (>= 8.0.0)
- Microsoft.Extensions.Options (>= 8.0.1)
- Nanoid (>= 3.0.0)
- Reinforced.Typings (>= 1.6.3)
NuGet packages (1)
Showing the top 1 NuGet packages that depend on DroidSolutions.Oss.JobService:
Package | Downloads |
---|---|
DroidSolutions.Oss.JobService.EFCore
Library for working with jobs that may be recurring in distributed systems and microservices. |
GitHub repositories
This package is not used by any popular GitHub repositories.
Version | Downloads | Last updated |
---|---|---|
3.5.0 | 250 | 9/18/2024 |
3.4.0 | 140 | 9/11/2024 |
3.3.3 | 300 | 5/23/2024 |
3.3.2 | 363 | 2/21/2024 |
3.3.1 | 169 | 2/16/2024 |
3.3.0 | 167 | 2/14/2024 |
3.2.3 | 157 | 2/12/2024 |
3.2.2 | 123 | 2/12/2024 |
3.2.1 | 118 | 2/12/2024 |
3.2.0 | 172 | 2/6/2024 |
3.1.0 | 136 | 2/2/2024 |
3.0.1 | 676 | 9/12/2023 |
3.0.0 | 245 | 8/8/2023 |
3.0.0-develop.2 | 88 | 8/8/2023 |
3.0.0-develop.1 | 84 | 8/4/2023 |
2.1.2 | 472 | 4/5/2023 |
2.0.0 | 449 | 2/21/2023 |
2.0.0-develop.6 | 113 | 2/16/2023 |
2.0.0-develop.5 | 103 | 1/31/2023 |
2.0.0-develop.4 | 98 | 1/26/2023 |
2.0.0-develop.3 | 101 | 1/26/2023 |
2.0.0-develop.2 | 150 | 11/3/2022 |
2.0.0-develop.1 | 159 | 7/5/2022 |
1.1.0 | 804 | 11/3/2022 |
1.0.1 | 1,115 | 5/11/2022 |
1.0.0-develop.8 | 236 | 4/21/2022 |
1.0.0-develop.7 | 152 | 4/19/2022 |
1.0.0-develop.6 | 120 | 4/19/2022 |
1.0.0-develop.5 | 120 | 4/19/2022 |
1.0.0-develop.4 | 115 | 4/19/2022 |
1.0.0-develop.3 | 142 | 3/18/2022 |