Since Node is single threaded, it doesn't automatically take advantage of a multi-core CPU. Clustering allows your app to spawn worker processes each running their own thread on a core, while all sharing the same server port. Node intelligently distributes new connections across the workers in a round-robin fashion, ensuring work load is balanced. kamisama abstracts this boilerplate implementation, and automatically respawns workers if they crash. kamisama also lets you implement a promise based shutdown function to ensure each worker shuts down gracefully (i.e. finish http requests, close database connections, etc.)
index.js/ts
kamisama({
    workers: 3,
    run: async id => {
        console.log(`running worker ${id}`)
        // connect to database, start server, etc.
    },
    shutdown: async (id, signal) => {
        console.log(`worker ${id} shutting down from ${signal}`)
        // finish http requests, close database connection, etc.
    },
    timeout: 5000
})console
$ node index.js
running worker 1
running worker 2
running worker 3^C
worker 1 shutting down from SIGINT
worker 2 shutting down from SIGINT
worker 3 shutting down from SIGINTSupport kamisama's contributors with a monthly subscription on https://gitroyalty.com/saoudrizwan/kamisama to install this package.
* comes with a 2 week free trial and can be cancelled anytime
You can pass kamisama a run function if you want to create as many workers as there are CPU cores on your machine.
kamisama(id => {
    console.log(`running worker ${id}`)
})Keep in mind that running a process per core takes maximum advantage of the machine, so although this is good for production, you should stick with one or two workers during development.
Usually you'd want to use KamisamaOptions though, like in the example.
kamisama({
    workers?: number
    run: (id: number): void
    shutdown?: (id: number, signal: "SIGINT" | "SIGTERM" | "SIGHUP" | "SIGBREAK" | "SIGUSR2"): any
    timeout?: number
})workers?: number
- The number of worker processes to fork for the cluster.
- Heroku provides an appropriate value for this based on your dyno type: process.env.WEB_CONCURRENCY
- Default value: os.cpus().length(# of cores in machine's CPU)
run: (id: number): void
- Function called for each worker process. idis the worker ID given by the master process.
- This is where you connect to databases, start your http server, etc.
- Under the hood kamisama calls Promise.resolve(run(id)), and if an error is thrown then the process exits immediately. However you may instead want to log this first before letting kamisama exit the process.run: async (id) => { try { await database.connect() } catch (error) { await logger.error(error) process.exit(1) // this way you're responsible for exiting } } 
shutdown?: (id: number, signal: "SIGINT" | "SIGTERM" | "SIGHUP" | "SIGBREAK" | "SIGUSR2"): any
- 
Function called when the master process receives one of the common shutdown signals. 
- 
You must not attach listeners to these shutdown signals in your worker process if you want kamisama's listeners to call your shutdown function. (However you should attach listeners to process-specific signals that can help you debug errors in your app.) 
- 
Similar to the run function, kamisama calls Promise.resolve(shutdown(id, signal)), so you can useasync/awaitto shutdown asynchronously.
- 
This is where you would gracefully shutdown your worker process. This is good practice for web servers, otherwise users' requests would get dropped, database updates would be aborted, and the list goes on. 
- 
While it's normal practice to use a listener for shutdown signals (i.e. process.on("SIGINT", shutdown)) clustering can send duplicate signals, or even more when npm or nodemon are used to run the process. kamisama takes care of this issue and ensures your shutdown function gets called for each worker only once.
- 
kamisama also lets you gracefully shutdown workers when nodemon restarts your app on a file change. Although this can be useful to ensure development and production environments behave the same, it may speed up your workflow to disable this. Simply add a conditional for the SIGUSR2signal like so:shutdown: (id, signal) => { if (signal === "SIGUSR2") return // ... } 
timeout?: number
- How long to wait (milliseconds) until kamisama should forcefully shutdown worker processes after the shutdown function is called.
- Default value: 10_000(10 seconds)
kamisama only exposes functions to run in worker processes for the sake of simplicity. If you want to run code in the master process, use the cluster module in the same file you use kamisama. (Remember kamisama is just a function that runs in the master process.)
if (cluster.isMaster) {
    console.log(`Master process id: ${process.pid}`)
}SIGINT
- Triggered by CTRL+Cin Terminal
SIGTERM
- Generic shutdown signal, usually sent by hosting service (i.e. Heroku)
- Not supported on Windows
SIGHUP
- Usually generated when the console window is closed
- On Windows Node will be unconditionally terminated about 10 seconds later
SIGBREAK
- Delivered on Windows when Ctrl+Breakis pressed
SIGUSR2
- Sent by nodemon when a file has been updated
uncaughtException
- Emitted when your app throws an unhandled error, inherently meaning your application is in an undefined state.
- You could ignore this message and resume function, but it is recommended to call your graceful shutdown function and let kamisama respawn the worker with a fresh slate.
- For example, you can log the error from the event before shutting down (you must exit the process yourself, so kamisama can respawn it).
process.on("uncaughtException", async error => { // log error information... await shutdown(id, "uncaughtException") process.exit() }) 
- If you're using an error tracking service, you may be able to override its shutdown function with your own graceful shutdown (i.e. Sentry's OnUncaughtExceptionintegration)
unhandledRejection
- Emitted when a promise throws an error that is not caught, possibly hanging an http request or halting expected execution, putting your application in an unexpected state.
- Normally this doesn't crash the process like uncaughtException, but Node promises that in future versions this will change. It is best to treat this event like anuncaughtException, restarting your server with kamisama and logging the error to to prevent this from happening again.
- For example, you can inspect the unhandled rejection's reason and promise and send it off to a service like Sentry before shutting down gracefully.
process.on("unhandledRejection", async (reason, promise) => { // send information to logger or error tracking service like Sentry... await shutdown(id, "unhandledRejection") process.exit() }) 
kamisama uses the MIT license. Please file an issue if you have any questions or if you'd like to share how you're using kamisama.
Contact me by email [email protected], or by Twitter @sdrzn. Please create an issue if you come across a bug or would like a feature to be added.
- throng was a wonderful starting point and reference
- Heroku's wonderful docs
- Maryna Sokolyan for the beautiful plum branch