nodemon vs watch vs chokidar-cli vs grunt-contrib-watch vs onchange vs gulp-watch
File Watching and Process Restarting Tools in Node.js Development
nodemonwatchchokidar-cligrunt-contrib-watchonchangegulp-watchSimilar Packages:
File Watching and Process Restarting Tools in Node.js Development

chokidar-cli, grunt-contrib-watch, gulp-watch, nodemon, onchange, and watch are all npm packages designed to monitor file system changes during development and trigger actions such as restarting a server, rebuilding assets, or running tests. These tools help automate repetitive tasks by reacting to file modifications, additions, or deletions. While they share the common goal of improving developer workflow through file watching, they differ significantly in their integration points, configuration models, underlying libraries, and target use cases — ranging from general-purpose CLI watchers to tightly coupled task runner plugins or specialized Node.js process monitors.

Npm Package Weekly Downloads Trend
3 Years
Github Stars Ranking
Stat Detail
Package
Downloads
Stars
Size
Issues
Publish
License
nodemon8,459,35226,680219 kB112 months agoMIT
watch653,4521,281-599 years agoApache-2.0
chokidar-cli414,2490-04 years agoMIT
grunt-contrib-watch328,6691,974-1278 years agoMIT
onchange209,970829-65 years agoMIT
gulp-watch132,446639-707 years agoMIT

File Watching in Practice: Choosing the Right Tool for Your Workflow

When you're building JavaScript applications, you often need something to notice when your files change and then do something useful—like restarting your server, recompiling code, or running tests. The six packages here (chokidar-cli, grunt-contrib-watch, gulp-watch, nodemon, onchange, and watch) all solve variations of this problem, but they’re built for different contexts, levels of complexity, and tooling ecosystems. Let’s break down how they really work—and when to use which.

🔍 Core Purpose and Integration Model

Each tool fits into a specific layer of the development stack:

  • nodemon is a Node.js process manager—it watches files and restarts your app.
  • chokidar-cli and onchange are general-purpose CLI watchers—they run shell commands when files change.
  • gulp-watch and grunt-contrib-watch are task runner plugins—they only work inside Gulp or Grunt pipelines.
  • watch is a barebones library—it gives you raw file events with minimal abstraction.

This distinction matters because it dictates whether you can use the tool standalone or if it forces you into a particular build system.

Code Examples: Basic Watch Setup

Here’s how each package handles a simple task: run npm test whenever a .js file changes.

# chokidar-cli
npx chokidar "src/**/*.js" -c "npm test"
# onchange
npx onchange "src/**/*.js" -- npm test
// gulp-watch (requires gulpfile.js)
const gulp = require('gulp');
const watch = require('gulp-watch');

gulp.task('default', () => {
  watch('src/**/*.js', () => gulp.src('src').pipe(/* run tests */));
});
// grunt-contrib-watch (requires Gruntfile.js)
module.exports = function(grunt) {
  grunt.initConfig({
    watch: {
      scripts: {
        files: ['src/**/*.js'],
        tasks: ['exec:test']
      }
    },
    exec: {
      test: { cmd: 'npm test' }
    }
  });
  grunt.loadNpmTasks('grunt-contrib-watch');
  grunt.loadNpmTasks('grunt-exec');
};
# nodemon (not ideal for tests, but possible)
npx nodemon --watch src --ext js --exec "npm test"
// watch (low-level, no glob support)
const watch = require('watch');

watch.watchTree('./src', (f, curr, prev) => {
  if (typeof f === 'string' && f.endsWith('.js')) {
    require('child_process').exec('npm test');
  }
});

💡 Note: watch doesn’t support glob patterns—you’d need to walk directories manually or use another library.

⚙️ Underlying File Watching Engine

Most modern tools rely on chokidar, a battle-tested file watcher that normalizes behavior across macOS, Linux, and Windows and handles edge cases like network drives and symlink loops.

  • Uses chokidar: chokidar-cli, gulp-watch, onchange
  • Uses custom logic (based on fs.watch): nodemon, grunt-contrib-watch, watch

This has real implications:

  • chokidar-based tools generally offer better reliability, glob pattern support, and cross-platform consistency.
  • nodemon implements its own watcher but includes workarounds for common fs.watch pitfalls and is highly optimized for Node.js restart scenarios.
  • The original watch package uses raw fs.watchFile/fs.watch, which can be slow (polling-based) and miss events on some systems.

🛑 Maintenance and Deprecation Status

As of 2024:

  • grunt-contrib-watch is effectively deprecated. Grunt’s ecosystem is largely unmaintained, and this plugin hasn’t had meaningful updates in years. Do not use in new projects.
  • watch (by Ryan Dahl) is archived and unmaintained. Its GitHub repo is read-only, and it lacks modern features. Avoid for production tooling.
  • The others (chokidar-cli, gulp-watch, nodemon, onchange) are actively maintained with recent releases and issue triage.

🎯 Specialized Use Cases

Restarting a Node.js Server

If you’re developing an Express, Fastify, or Koa app, nodemon is the clear winner:

# Standard nodemon usage
npx nodemon server.js

It handles process signals correctly, preserves stdin/stdout, supports delay before restart (--delay), and respects .nodemonignore. None of the general-purpose CLI tools match this level of integration.

Running Shell Commands with Glob Support

For arbitrary commands (e.g., tsc --build, eslint ., jest), both chokidar-cli and onchange work well:

# onchange: simpler syntax, runs on first change by default
onchange "src/**/*.{ts,tsx}" -- tsc --noEmit

# chokidar-cli: more explicit flags
chokidar "src/**/*.{ts,tsx}" -c "tsc --noEmit" --initial

Key difference: onchange runs the command immediately on startup (unless --no-initial is used), while chokidar-cli requires --initial to do the same.

Integration with Build Pipelines

If you’re already using Gulp, gulp-watch lets you plug file watching directly into your stream pipeline:

const gulp = require('gulp');
const watch = require('gulp-watch');
const babel = require('gulp-babel');

gulp.task('scripts', () => {
  return gulp.src('src/*.js')
    .pipe(babel())
    .pipe(gulp.dest('dist'));
});

gulp.task('watch', () => {
  watch('src/*.js', gulp.series('scripts'));
});

This avoids spawning external processes and keeps everything in-memory. But if you’re not using Gulp, this adds unnecessary complexity.

🧪 Error Handling and Reliability

  • nodemon will keep trying to restart your app even if it crashes on launch—it won’t quit after one failure.
  • onchange and chokidar-cli will continue watching after command failures; they don’t treat exit codes as fatal.
  • grunt-contrib-watch halts on task errors unless configured otherwise.
  • watch provides no error handling—you must wrap callbacks in try/catch.

📋 Feature Comparison Table

PackageStandalone CLI?Glob Patterns?Runs Shell Commands?Task Runner Plugin?Actively Maintained?Best For
chokidar-cliCustom CLI automation with precise control
grunt-contrib-watch❌ (runs Grunt tasks)✅ (Grunt)Legacy Grunt projects only
gulp-watch❌ (uses Gulp streams)✅ (Gulp)Gulp-based asset pipelines
nodemon✅ (via --watch)✅ (--exec)Restarting Node.js apps
onchangeSimple, zero-config command running
watch❌ (callback only)Learning or trivial scripts

💡 Final Recommendations

  • Building a Node.js backend? → Use nodemon. It’s purpose-built, reliable, and universally understood by Node developers.
  • Need to run shell commands on file changes? → Pick onchange for simplicity or chokidar-cli for more flags and control.
  • Stuck in a Gulp project?gulp-watch is your best bet for tight integration.
  • Working on old Grunt code? → Keep grunt-contrib-watch only until you can migrate away.
  • Starting fresh? → Avoid watch entirely—modern alternatives are safer and more capable.

The right choice isn’t about which tool is “best” overall—it’s about matching the tool to your project’s architecture, team conventions, and maintenance horizon. In 2024, that usually means leaning toward nodemon, onchange, or chokidar-cli for new work, and treating the others as legacy compatibility layers.

How to Choose: nodemon vs watch vs chokidar-cli vs grunt-contrib-watch vs onchange vs gulp-watch
  • nodemon:

    Choose nodemon when your primary goal is to automatically restart a Node.js application during development whenever source files change. It’s purpose-built for this scenario, supports ignore/include rules, delay tuning, and environment variable inheritance. It’s the de facto standard for Node.js server reloading and integrates smoothly with debuggers and cluster modes.

  • watch:

    Choose the watch package (by Ryan Dahl) only for very basic use cases or educational purposes. It’s a minimal, callback-based file watcher with no glob support, limited event granularity, and no active maintenance. It lacks features expected in modern workflows and should be avoided in production-grade tooling in favor of chokidar-based alternatives.

  • chokidar-cli:

    Choose chokidar-cli when you need a lightweight, standalone command-line tool that wraps the robust chokidar file watcher with minimal overhead. It’s ideal for shell scripts, simple automation tasks, or environments where you want fine-grained control over glob patterns and events without tying into a larger build system. Avoid it if you require deep integration with task runners like Grunt or Gulp.

  • grunt-contrib-watch:

    Choose grunt-contrib-watch only if you’re maintaining a legacy project built on Grunt and already using its ecosystem. This plugin is tightly coupled to Grunt’s task model and lifecycle hooks. It should not be used in new projects, as Grunt itself has seen minimal active development in recent years and lacks modern DX features like efficient rebuilds or native ES module support.

  • onchange:

    Choose onchange when you need a zero-config, cross-platform CLI watcher that runs arbitrary shell commands in response to file changes. It uses chokidar internally and supports glob patterns, debounce delays, and initial execution. It’s excellent for simple scripts, monorepo tooling, or replacing custom watch scripts without pulling in a full task runner.

  • gulp-watch:

    Choose gulp-watch if your build pipeline is based on Gulp and you want seamless integration with Gulp streams and tasks. It leverages chokidar under the hood and works well within Gulp’s functional, stream-based architecture. However, avoid it for non-Gulp projects, as it offers no standalone CLI and requires Gulp’s runtime to function.

README for nodemon

Nodemon Logo

nodemon

nodemon is a tool that helps develop Node.js based applications by automatically restarting the node application when file changes in the directory are detected.

nodemon does not require any additional changes to your code or method of development. nodemon is a replacement wrapper for node. To use nodemon, replace the word node on the command line when executing your script.

NPM version Backers on Open Collective Sponsors on Open Collective

Installation

Either through cloning with git or by using npm (the recommended way):

npm install -g nodemon # or using yarn: yarn global add nodemon

And nodemon will be installed globally to your system path.

You can also install nodemon as a development dependency:

npm install --save-dev nodemon # or using yarn: yarn add nodemon -D

With a local installation, nodemon will not be available in your system path or you can't use it directly from the command line. Instead, the local installation of nodemon can be run by calling it from within an npm script (such as npm start) or using npx nodemon.

Usage

nodemon wraps your application, so you can pass all the arguments you would normally pass to your app:

nodemon [your node app]

For CLI options, use the -h (or --help) argument:

nodemon -h

Using nodemon is simple, if my application accepted a host and port as the arguments, I would start it as so:

nodemon ./server.js localhost 8080

Any output from this script is prefixed with [nodemon], otherwise all output from your application, errors included, will be echoed out as expected.

You can also pass the inspect flag to node through the command line as you would normally:

nodemon --inspect ./server.js 80

If you have a package.json file for your app, you can omit the main script entirely and nodemon will read the package.json for the main property and use that value as the app (ref).

nodemon will also search for the scripts.start property in package.json (as of nodemon 1.1.x).

Also check out the FAQ or issues for nodemon.

Automatic re-running

nodemon was originally written to restart hanging processes such as web servers, but now supports apps that cleanly exit. If your script exits cleanly, nodemon will continue to monitor the directory (or directories) and restart the script if there are any changes.

Manual restarting

Whilst nodemon is running, if you need to manually restart your application, instead of stopping and restart nodemon, you can type rs with a carriage return, and nodemon will restart your process.

Config files

nodemon supports local and global configuration files. These are usually named nodemon.json and can be located in the current working directory or in your home directory. An alternative local configuration file can be specified with the --config <file> option.

The specificity is as follows, so that a command line argument will always override the config file settings:

  • command line arguments
  • local config
  • global config

A config file can take any of the command line arguments as JSON key values, for example:

{
  "verbose": true,
  "ignore": ["*.test.js", "**/fixtures/**"],
  "execMap": {
    "rb": "ruby",
    "pde": "processing --sketch={{pwd}} --run"
  }
}

The above nodemon.json file might be my global config so that I have support for ruby files and processing files, and I can run nodemon demo.pde and nodemon will automatically know how to run the script even though out of the box support for processing scripts.

A further example of options can be seen in sample-nodemon.md

package.json

If you want to keep all your package configurations in one place, nodemon supports using package.json for configuration. Specify the config in the same format as you would for a config file but under nodemonConfig in the package.json file, for example, take the following package.json:

{
  "name": "nodemon",
  "homepage": "http://nodemon.io",
  "...": "... other standard package.json values",
  "nodemonConfig": {
    "ignore": ["**/test/**", "**/docs/**"],
    "delay": 2500
  }
}

Note that if you specify a --config file or provide a local nodemon.json any package.json config is ignored.

This section needs better documentation, but for now you can also see nodemon --help config (also here).

Using nodemon as a module

Please see doc/requireable.md

Using nodemon as child process

Please see doc/events.md

Running non-node scripts

nodemon can also be used to execute and monitor other programs. nodemon will read the file extension of the script being run and monitor that extension instead of .js if there's no nodemon.json:

nodemon --exec "python -v" ./app.py

Now nodemon will run app.py with python in verbose mode (note that if you're not passing args to the exec program, you don't need the quotes), and look for new or modified files with the .py extension.

Default executables

Using the nodemon.json config file, you can define your own default executables using the execMap property. This is particularly useful if you're working with a language that isn't supported by default by nodemon.

To add support for nodemon to know about the .pl extension (for Perl), the nodemon.json file would add:

{
  "execMap": {
    "pl": "perl"
  }
}

Now running the following, nodemon will know to use perl as the executable:

nodemon script.pl

It's generally recommended to use the global nodemon.json to add your own execMap options. However, if there's a common default that's missing, this can be merged in to the project so that nodemon supports it by default, by changing default.js and sending a pull request.

Monitoring multiple directories

By default nodemon monitors the current working directory. If you want to take control of that option, use the --watch option to add specific paths:

nodemon --watch app --watch libs app/server.js

Now nodemon will only restart if there are changes in the ./app or ./libs directory. By default nodemon will traverse sub-directories, so there's no need in explicitly including sub-directories.

Nodemon also supports unix globbing, e.g --watch './lib/*'. The globbing pattern must be quoted. For advanced globbing, see picomatch documentation, the library that nodemon uses through chokidar (which in turn uses it through anymatch).

Specifying extension watch list

By default, nodemon looks for files with the .js, .mjs, .coffee, .litcoffee, and .json extensions. If you use the --exec option and monitor app.py nodemon will monitor files with the extension of .py. However, you can specify your own list with the -e (or --ext) switch like so:

nodemon -e js,pug

Now nodemon will restart on any changes to files in the directory (or subdirectories) with the extensions .js, .pug.

Ignoring files

By default, nodemon will only restart when a .js JavaScript file changes. In some cases you will want to ignore some specific files, directories or file patterns, to prevent nodemon from prematurely restarting your application.

This can be done via the command line:

nodemon --ignore lib/ --ignore tests/

Or specific files can be ignored:

nodemon --ignore lib/app.js

Patterns can also be ignored (but be sure to quote the arguments):

nodemon --ignore 'lib/*.js'

Important the ignore rules are patterns matched to the full absolute path, and this determines how many files are monitored. If using a wild card glob pattern, it needs to be used as ** or omitted entirely. For example, nodemon --ignore '**/test/**' will work, whereas --ignore '*/test/*' will not.

Note that by default, nodemon will ignore the .git, node_modules, bower_components, .nyc_output, coverage and .sass-cache directories and add your ignored patterns to the list. If you want to indeed watch a directory like node_modules, you need to override the underlying default ignore rules.

Application isn't restarting

In some networked environments (such as a container running nodemon reading across a mounted drive), you will need to use the legacyWatch: true which enables Chokidar's polling.

Via the CLI, use either --legacy-watch or -L for short:

nodemon -L

Though this should be a last resort as it will poll every file it can find.

Delaying restarting

In some situations, you may want to wait until a number of files have changed. The timeout before checking for new file changes is 1 second. If you're uploading a number of files and it's taking some number of seconds, this could cause your app to restart multiple times unnecessarily.

To add an extra throttle, or delay restarting, use the --delay command:

nodemon --delay 10 server.js

For more precision, milliseconds can be specified. Either as a float:

nodemon --delay 2.5 server.js

Or using the time specifier (ms):

nodemon --delay 2500ms server.js

The delay figure is number of seconds (or milliseconds, if specified) to delay before restarting. So nodemon will only restart your app the given number of seconds after the last file change.

If you are setting this value in nodemon.json, the value will always be interpreted in milliseconds. E.g., the following are equivalent:

nodemon --delay 2.5

{
  "delay": 2500
}

Gracefully reloading down your script

It is possible to have nodemon send any signal that you specify to your application.

nodemon --signal SIGHUP server.js

Your application can handle the signal as follows.

process.on("SIGHUP", function () {
  reloadSomeConfiguration();
  process.kill(process.pid, "SIGTERM");
})

Please note that nodemon will send this signal to every process in the process tree.

If you are using cluster, then each workers (as well as the master) will receive the signal. If you wish to terminate all workers on receiving a SIGHUP, a common pattern is to catch the SIGHUP in the master, and forward SIGTERM to all workers, while ensuring that all workers ignore SIGHUP.

if (cluster.isMaster) {
  process.on("SIGHUP", function () {
    for (const worker of Object.values(cluster.workers)) {
      worker.process.kill("SIGTERM");
    }
  });
} else {
  process.on("SIGHUP", function() {})
}

Controlling shutdown of your script

nodemon sends a kill signal to your application when it sees a file update. If you need to clean up on shutdown inside your script you can capture the kill signal and handle it yourself.

The following example will listen once for the SIGUSR2 signal (used by nodemon to restart), run the clean up process and then kill itself for nodemon to continue control:

// important to use `on` and not `once` as nodemon can re-send the kill signal
process.on('SIGUSR2', function () {
  gracefulShutdown(function () {
    process.kill(process.pid, 'SIGTERM');
  });
});

Note that the process.kill is only called once your shutdown jobs are complete. Hat tip to Benjie Gillam for writing this technique up.

Triggering events when nodemon state changes

If you want growl like notifications when nodemon restarts or to trigger an action when an event happens, then you can either require nodemon or add event actions to your nodemon.json file.

For example, to trigger a notification on a Mac when nodemon restarts, nodemon.json looks like this:

{
  "events": {
    "restart": "osascript -e 'display notification \"app restarted\" with title \"nodemon\"'"
  }
}

A full list of available events is listed on the event states wiki. Note that you can bind to both states and messages.

Pipe output to somewhere else

nodemon({
  script: ...,
  stdout: false // important: this tells nodemon not to output to console
}).on('readable', function() { // the `readable` event indicates that data is ready to pick up
  this.stdout.pipe(fs.createWriteStream('output.txt'));
  this.stderr.pipe(fs.createWriteStream('err.txt'));
});

Using nodemon in your gulp workflow

Check out the gulp-nodemon plugin to integrate nodemon with the rest of your project's gulp workflow.

Using nodemon in your Grunt workflow

Check out the grunt-nodemon plugin to integrate nodemon with the rest of your project's grunt workflow.

Pronunciation

nodemon, is it pronounced: node-mon, no-demon or node-e-mon (like pokémon)?

Well...I've been asked this many times before. I like that I've been asked this before. There's been bets as to which one it actually is.

The answer is simple, but possibly frustrating. I'm not saying (how I pronounce it). It's up to you to call it as you like. All answers are correct :)

Design principles

  • Fewer flags is better
  • Works across all platforms
  • Fewer features
  • Let individuals build on top of nodemon
  • Offer all CLI functionality as an API
  • Contributions must have and pass tests

Nodemon is not perfect, and CLI arguments has sprawled beyond where I'm completely happy, but perhaps it can be reduced a little one day.

FAQ

See the FAQ and please add your own questions if you think they would help others.

Backers

Thank you to all our backers! 🙏

nodemon backers

Sponsors

Support this project by becoming a sponsor. Your logo will show up here with a link to your website. Sponsor this project today ❤️

Netpositive Best online casinos not on GamStop in the UK TheCasinoDB Goread.io Best Australian online casinos. Reviewed by Correct Casinos. Website dedicated to finding the best and safest licensed online casinos in India nongamstopcasinos.net Buy Instagram Likes OnlineCasinosSpelen Beoordelen van nieuwe online casino's 2023 CasinoZonderRegistratie.net - Nederlandse Top Casino's Famoid is a digital marketing agency that specializes in social media services and tools. ігрові автомати беткінг We are the leading Nearshore Technology Solutions company. We architect and engineer scalable and high-performing software solutions. Buy real Instagram followers from Twicsy starting at only $2.97. Twicsy has been voted the best site to buy followers from the likes of US Magazine. SocialWick offers the best Instagram Followers in the market. If you are looking to boost your organic growth, buy Instagram followers from SocialWick Online United States Casinos Looking to boost your YouTube channel? Buy YouTube subscribers with Views4You and watch your audience grow! Buy Telegram Members We review the entire iGaming industry from A to Z UpGrow is the Best Instagram Growth Service in 2024. Get more real Instagram followers with our AI-powered growth engine to get 10x faster results. CryptoCasinos.online No deposit casino promo Codes 2024 - The best online Casinos websites. No deposit bonus codes, Free Spins and Promo Codes. Stake, Roobet, Jackpotcity and more. Online casino. Find the social proof you need to reach your audience! Boost conversions. Quickly buy Twitter Followers & more with no sign-up. Taking you to the next Boost your social media presence effortlessly with top-quality Instagram and TikTok followers and likes. Social Media Management and all kinds of followers Betwinner is an online bookmaker offering sports betting, casino games, and more. At Buzzoid, you can buy Instagram followers quickly, safely, and easily with just a few clicks. Rated world's #1 IG service since 2012. Zamsino.com Reviewing and comparing online casinos available to Finnish players. In addition, we publish relevant news and blog posts about the world of iGaming. Онлайн казино та БК (ставки на спорт) в Україні Prank Caller - #1 Prank Calling App Buzzvoice is your one-stop shop for all your social media marketing needs. With Buzzvoice, you can buy followers, comments, likes, video views and more! At Famety, you can grow your social media following quickly, safely, and easily with just a few clicks. Rated the world’s #1 social media service since 2013. Buy Twitter Followers Visit TweSocial SocialBoosting: Buy Instagram & TikTok Followers, Likes, Views Buy Youtube Subscribers from the #1 rated company. Our exclusive high quality Youtube subscribers come with a lifetime guarantee! Ігрові автомати онлайн Kasinohai.com Casino Online Chile At Buzzoid, you can buy YouTube views easily and safely. Webisoft casinos sin licencia en España casino online chile online casino australia JokaCasino Vanguard Media évalue les casinos en ligne pour joueurs français, testant les sites en France. Nos classements stricts garantissent des casinos fiables et sûrs. kasyno online polska FAVBET Bei Releaf erhalten Sie schnell und diskret Ihr Cannabis Rezept online. Unsere Ärzte prüfen Ihre Angaben und stellen bei Eignung das Rezept aus. Anschließend können Sie legal und sicher medizinisches Cannabis über unsere Partnerapotheken kaufen. Kasyno Online Analysis of online casinos with the best payouts Нова українська букмекерська контора Buy TikTok Custom Comments

Please note that links to the sponsors above are not direct endorsements nor affiliated with any of contributors of the nodemon project.

License

MIT http://rem.mit-license.org