basic-cluster
v3.0.1
Published
Run multiple async tasks in parallel
Downloads
31
Readme
Basic Cluster
A library for performing multiple tasks in parallel with control over resource usage.
Installation
npm install basic-cluster
Concepts
Cluster
The cluster controls the execution of multiple async tasks. It has a size which will control how many instances it can manage.
The cluster also accepts options for how it retries obtaining an instance to run submitted tasks. Retries are managed via exponential-backoff so check the docs over there for options.
Instance
An instance is simply an object managed by the cluster and acts as a context for tasks to run in. While running a task, an instance is considered busy
and it cannot accept a new task until the current one completes.
Task
Task is what you submit to the cluster for it to run when possible.
Usage
Here's what you do:
- Create a Cluster.
- Submit tasks to it.
- When you are done, you can shutdown the cluster.
Basic usage
The BasicCluster
class makes it easy to run a bunch of parallel tasks which don't depend on a managed instance object.
import { BasicCluster } from './src/cluster/BasicCluster';
const clusterSize = 3;
const cluster: BasicCluster = new BasicCluster(clusterSize);
const result = cluster.submit(async () => {
// Do something
});
Shutdown
If you no longer require the cluster, you can shut it down. There are two options for this:
Cluster#shutdown()
will attempt to wait for any running task to complete before shutting down.- After shutdown is requested, new task submissions are immediately rejected. Tasks waiting to be picked up will also be rejected.
- If there are running tasks, the cluster will retry to shutdown at a later time.
- When gracefully shutdown retries are exhausted, the cluster will forcefully shutdown.
Cluster#shutdownNow()
will forcefully shutdown the cluster, callingshutdown()
on all its instances immediately.- This does not cancel running tasks, so depending on how their built and what stage their in, they might still complete successfully.
Usage with instances
You can create clusters that use (potentially complex) instance objects, reusing them for new tasks. The example that inspired this package was a cluster of Puppeteer browser instances, which take some time to initiate and, as such, are a prime candidate for pooling.
To do so, you can implement the Instance
interface and use the Cluster
class directly with your instance.
SimpleInstance
The SimpleInstance
is a utility for when you need an instance with some state and the shutdown is a no-op. Here's an example:
let i = 0;
const cluster: Cluster<SimpleInstance<number>> = new Cluster(3, () => new SimpleInstance(++i));
cluster.submit((instance) => {
console.log(`Running task on instance ${instance.getValue()}`);
// do something with the instance
});