node-schedule vs bull vs agenda
Node.js Job Scheduling Libraries Comparison
1 Year
node-schedulebullagendaSimilar Packages:
What's Node.js Job Scheduling Libraries?

Job scheduling libraries in Node.js are essential for managing and executing tasks at specific intervals or times. They help developers automate repetitive tasks, manage background jobs, and ensure that certain operations occur without manual intervention. These libraries provide various features, such as job persistence, concurrency control, and scheduling capabilities, allowing developers to focus on building applications without worrying about task management intricacies.

Package Weekly Downloads Trend
Github Stars Ranking
Stat Detail
Package
Downloads
Stars
Size
Issues
Publish
License
node-schedule2,062,4289,16335 kB1662 years agoMIT
bull888,56115,795309 kB1492 months agoMIT
agenda124,5489,477353 kB350-MIT
Feature Comparison: node-schedule vs bull vs agenda

Job Persistence

  • node-schedule:

    Node-Schedule does not provide built-in job persistence; jobs are scheduled in memory. If the application restarts, scheduled jobs are lost. This makes it less suitable for long-running tasks that need to survive application restarts.

  • bull:

    Bull uses Redis for job storage, which provides high performance and reliability. Jobs are stored in Redis, allowing for quick access and management, and ensuring that jobs are not lost even if the application crashes, thanks to Redis's persistence options.

  • agenda:

    Agenda stores jobs in MongoDB, allowing for persistent job storage. This means that jobs can survive application restarts and can be queried or managed through the database, providing a reliable way to track job states and results.

Concurrency Control

  • node-schedule:

    Node-Schedule does not inherently manage concurrency since it is primarily focused on scheduling rather than job processing. Developers need to implement their own concurrency management if needed.

  • bull:

    Bull offers advanced concurrency control features, allowing you to set the maximum number of concurrent jobs that can be processed. This helps in managing system load and optimizing resource utilization, especially in high-throughput scenarios.

  • agenda:

    Agenda allows you to define concurrency levels for job processing, enabling you to control how many jobs are processed simultaneously. This feature is useful for managing resources and ensuring that your application does not become overwhelmed by too many concurrent tasks.

Ease of Use

  • node-schedule:

    Node-Schedule is very easy to use, especially for those familiar with cron syntax. Its API is simple, allowing developers to quickly schedule jobs without needing to understand complex configurations.

  • bull:

    Bull has a more complex API due to its rich feature set, but it provides extensive documentation and examples. While it may require a bit more effort to set up, its capabilities make it worth the investment for complex job management needs.

  • agenda:

    Agenda is designed to be simple and easy to use, with a straightforward API for scheduling jobs. Its integration with MongoDB makes it accessible for developers familiar with database operations, allowing quick setup and usage.

Performance

  • node-schedule:

    Node-Schedule is efficient for lightweight scheduling tasks but may not perform well under heavy loads or when many jobs are scheduled simultaneously, as it does not manage job queues.

  • bull:

    Bull is optimized for performance and can handle a high volume of jobs efficiently. Its use of Redis allows for fast job processing and retrieval, making it suitable for applications with demanding job scheduling needs.

  • agenda:

    Agenda's performance is generally good for small to medium workloads, but it may not scale as well as Bull for high-volume job processing due to its reliance on MongoDB for job management.

Scheduling Flexibility

  • node-schedule:

    Node-Schedule allows for cron-like scheduling, which is great for recurring tasks. However, it lacks the advanced scheduling features found in Bull, making it less versatile for complex job management.

  • bull:

    Bull allows for delayed jobs and priority queues, providing flexibility in job scheduling and execution order. This is particularly useful for applications that need to prioritize certain tasks over others.

  • agenda:

    Agenda supports flexible scheduling options, allowing jobs to be scheduled at specific times, intervals, or using custom logic. This flexibility is beneficial for applications that require varied scheduling patterns.

How to Choose: node-schedule vs bull vs agenda
  • node-schedule:

    Choose Node-Schedule if you want a simple and straightforward scheduling library that allows you to schedule jobs using cron-like syntax. It is perfect for applications that need to run tasks at specific times or intervals without the overhead of a job queue.

  • bull:

    Choose Bull if you require a robust and feature-rich job queue system that supports priority, delayed jobs, and concurrency. It is well-suited for applications that need to handle a high volume of jobs with reliability and performance, leveraging Redis for storage and management.

  • agenda:

    Choose Agenda if you need a lightweight job scheduler that integrates seamlessly with MongoDB and requires minimal setup. It is ideal for applications that need to schedule jobs based on a time interval and can benefit from MongoDB's persistence capabilities.

README for node-schedule

Node Schedule

NPM version Downloads Build Status Coverage Status Join the chat at https://gitter.im/node-schedule/node-schedule

NPM

Node Schedule is a flexible cron-like and not-cron-like job scheduler for Node.js. It allows you to schedule jobs (arbitrary functions) for execution at specific dates, with optional recurrence rules. It only uses a single timer at any given time (rather than reevaluating upcoming jobs every second/minute).

Node 6+ is supported.

Overview

Node Schedule is for time-based scheduling, not interval-based scheduling.

While you can easily bend it to your will, if you only want to do something like "run this function every 5 minutes", toad-scheduler would be a better choice. But if you want to, say, "run this function at the :20 and :50 of every hour on the third Tuesday of every month," you'll find that Node Schedule suits your needs better. Additionally, Node Schedule has Windows support, unlike true cron, since the node runtime is now fully supported.

Note that Node Schedule is designed for in-process scheduling, i.e. scheduled jobs will only fire as long as your script is running, and the schedule will disappear when execution completes. If you need to schedule jobs that will persist even when your script isn't running, consider using actual cron.

In case you need durable jobs that persist across restarts and lock system compatible with multi-node deployments, try agenda or bree.

Usage

Installation

You can install using npm.

npm install node-schedule

Jobs and Scheduling

Every scheduled job in Node Schedule is represented by a Job object. You can create jobs manually, then execute the schedule() method to apply a schedule, or use the convenience function scheduleJob() as demonstrated below.

Job objects are EventEmitters, and emit the following events:

  • A run event after each execution.
  • A scheduled event each time they're scheduled to run.
  • A canceled event when an invocation is canceled before it's executed.
    Note that canceled is the single-L American spelling.
  • An error event when a job invocation triggered by a schedule throws or returns a rejected Promise.
  • A success event when a job invocation triggered by a schedule returns successfully or returns a resolved Promise. In any case, the success event receives the value returned by the callback or in case of a promise, the resolved value.

(Both the scheduled and canceled events receive a JavaScript date object as a parameter).
Note that jobs are scheduled the first time immediately, so if you create a job using the scheduleJob() convenience method, you'll miss the first scheduled event, but you can query the invocation manually (see below).

Cron-style Scheduling

The cron format consists of:

*    *    *    *    *    *
┬    ┬    ┬    ┬    ┬    ┬
│    │    │    │    │    │
│    │    │    │    │    └ day of week (0 - 7) (0 or 7 is Sun)
│    │    │    │    └───── month (1 - 12)
│    │    │    └────────── day of month (1 - 31)
│    │    └─────────────── hour (0 - 23)
│    └──────────────────── minute (0 - 59)
└───────────────────────── second (0 - 59, OPTIONAL)

Examples with the cron format:

const schedule = require('node-schedule');

const job = schedule.scheduleJob('42 * * * *', function(){
  console.log('The answer to life, the universe, and everything!');
});

Execute a cron job when the minute is 42 (e.g. 19:42, 20:42, etc.).

And:

const job = schedule.scheduleJob('0 17 ? * 0,4-6', function(){
  console.log('Today is recognized by Rebecca Black!');
});

Execute a cron job every 5 Minutes = */5 * * * *

You can also get when it is scheduled to run for every invocation of the job:

const job = schedule.scheduleJob('0 1 * * *', function(fireDate){
  console.log('This job was supposed to run at ' + fireDate + ', but actually ran at ' + new Date());
});

This is useful when you need to check if there is a delay of the job invocation when the system is busy, or save a record of all invocations of a job for audit purpose.

Unsupported Cron Features

Currently, W (nearest weekday) and L (last day of month/week) are not supported. Most other features supported by popular cron implementations should work just fine, including # (nth weekday of the month).

cron-parser is used to parse crontab instructions.

Date-based Scheduling

Say you very specifically want a function to execute at 5:30am on December 21, 2012. Remember - in JavaScript - 0 - January, 11 - December.

const schedule = require('node-schedule');
const date = new Date(2012, 11, 21, 5, 30, 0);

const job = schedule.scheduleJob(date, function(){
  console.log('The world is going to end today.');
});

To use current data in the future you can use binding:

const schedule = require('node-schedule');
const date = new Date(2012, 11, 21, 5, 30, 0);
const x = 'Tada!';
const job = schedule.scheduleJob(date, function(y){
  console.log(y);
}.bind(null,x));
x = 'Changing Data';

This will log 'Tada!' when the scheduled Job runs, rather than 'Changing Data', which x changes to immediately after scheduling.

Recurrence Rule Scheduling

You can build recurrence rules to specify when a job should recur. For instance, consider this rule, which executes the function every hour at 42 minutes after the hour:

const schedule = require('node-schedule');

const rule = new schedule.RecurrenceRule();
rule.minute = 42;

const job = schedule.scheduleJob(rule, function(){
  console.log('The answer to life, the universe, and everything!');
});

You can also use arrays to specify a list of acceptable values, and the Range object to specify a range of start and end values, with an optional step parameter. For instance, this will print a message on Thursday, Friday, Saturday, and Sunday at 5pm:

const rule = new schedule.RecurrenceRule();
rule.dayOfWeek = [0, new schedule.Range(4, 6)];
rule.hour = 17;
rule.minute = 0;

const job = schedule.scheduleJob(rule, function(){
  console.log('Today is recognized by Rebecca Black!');
});

Timezones are also supported. Here is an example of executing at the start of every day in the UTC timezone.

const rule = new schedule.RecurrenceRule();
rule.hour = 0;
rule.minute = 0;
rule.tz = 'Etc/UTC';

const job = schedule.scheduleJob(rule, function(){
  console.log('A new day has begun in the UTC timezone!');
});

A list of acceptable tz (timezone) values can be found at https://en.wikipedia.org/wiki/List_of_tz_database_time_zones

RecurrenceRule properties

  • second (0-59)
  • minute (0-59)
  • hour (0-23)
  • date (1-31)
  • month (0-11)
  • year
  • dayOfWeek (0-6) Starting with Sunday
  • tz

Note: It's worth noting that the default value of a component of a recurrence rule is null (except for second, which is 0 for familiarity with cron). If we did not explicitly set minute to 0 above, the message would have instead been logged at 5:00pm, 5:01pm, 5:02pm, ..., 5:59pm. Probably not what you want.

Object Literal Syntax

To make things a little easier, an object literal syntax is also supported, like in this example which will log a message every Sunday at 2:30pm:

const job = schedule.scheduleJob({hour: 14, minute: 30, dayOfWeek: 0}, function(){
  console.log('Time for tea!');
});

Set StartTime and EndTime

It will run after 5 seconds and stop after 10 seconds in this example. The ruledat supports the above.

const startTime = new Date(Date.now() + 5000);
const endTime = new Date(startTime.getTime() + 5000);
const job = schedule.scheduleJob({ start: startTime, end: endTime, rule: '*/1 * * * * *' }, function(){
  console.log('Time for tea!');
});

Graceful Shutdown.

You can shutdown jobs gracefully.
gracefulShutdown() will cancel all jobs and return Promise.
It will wait until all jobs are terminated.

schedule.gracefulShutdown();

You can also gracefully shutdown jobs when a system interrupt occurs.

process.on('SIGINT', function () { 
  schedule.gracefulShutdown()
  .then(() => process.exit(0))
}

Handle Jobs and Job Invocations

There are some function to get information for a Job and to handle the Job and Invocations.

job.cancel(reschedule)

You can invalidate any job with the cancel() method:

j.cancel();

All planned invocations will be canceled. When you set the parameter reschedule to true then the Job is newly scheduled afterwards.

job.cancelNext(reschedule)

This method invalidates the next planned invocation or the job. When you set the parameter reschedule to true then the Job is newly scheduled afterwards.

job.reschedule(spec)

This method cancels all pending invocation and registers the Job completely new again using the given specification. Return true/false on success/failure.

job.nextInvocation()

This method returns a Date object for the planned next Invocation for this Job. If no invocation is planned the method returns null.

Contributing

This module was originally developed by Matt Patenaude who eventually passed over maintainer's mantle over to Tejas Manohar.

Currently it is being maintained by Igor Savin and our amazing community.

We'd love to get your contributions. Individuals making significant and valuable contributions are given commit-access to the project to contribute as they see fit.

Before jumping in, check out our Contributing page guide!

Copyright and license

Copyright 2015 Matt Patenaude.

Licensed under the MIT License.