npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

supergulp

v0.2.0

Published

Organize, separate, and decouple your gulptasks from your configuration.

Readme

Deconstruct your monolithic gulpfile!

Introduction

Have you ever ended up with a gulpfile.js way too overstuffed with tasks, logic, and configuration?

Enter Supergulp, the tool that takes Gulp through a new paradigm. Break your gulp task logic into distinct javascript files each self-contained and lightweight, and without worrying about your configuration being ripped across 20 different scripts. You provide one configuration file, and Supergulp injects the configuration into each task it finds in the '/gulp' directory. Suddenly, all your gulp tasks and pipelines are more portable, easier to understand and debug, and less reliant on baked-in configuration. Let's get cookin'.


Installation

npm install supergulp --save

Crash Course: Anatomy of a Supergulp task

Your gulpfile.js (more about this below):

require('supergulp')();

Now, each of your gulp tasks has its own .js file within /gulp. Here's what each basically looks like:

module.exports = (gulp, config, hook) => {  
  // Register your gulp tasks as usual, using the gulp injected to this function
  gulp.task('myTask', () => {
    // whatever you export from 'gulp.config.js' is accessible everywhere!
    // *  This is ES6-style deconstruction notation, by the way.
    //    Don't be scared, it's super useful.
    let { output, sources } = config;
    return gulp.src(sources.app)
      .pipe(concat(output.appFilename))
      .pipe(gulp.dest(output.dir));
  });

Classic "task sets" (compound tasks) are still fully supported:

module.exports = (gulp, config, hook) => {
  gulp.task('myTask', () => {
    ...
  });
  
  gulp.task('export', ['myTask', 'myOtherTask', 'thirdTask']);
}

...but they're discouraged, because reasons.

  • The other task definitions would need to live in the same file, or...
  • We must rely on the other tasks always being present. That's no fun.

For these reasons, the hook system came about.

The hook() system

  1. Use hook() to specify which compound gulp task or "task sets" a task (or set of tasks) should belong to.

    Optionally, pass a glob string to "watch" for changes, enabling automatic re-execution.

  2. All hooks are collected together to form compound tasks.

    This helps to avoid compound task definitions needing to reference a task in a separate file, and they can be moved from project-to-project without fear.

    For this reason, compound tasks should be considered abstract, so do not attempt to hook into a task which is already defined. A warning will be given and the hook will not be established.

/*      In my-task.js      */
module.exports = (gulp, config, hook) => {
  gulp.task('myTask', () => { 
    ...
  });
  
  hook('myTask', null, 'export');
}

/*   ...in other-task.js      */

module.exports = (gulp, config, hook) => {
  gulp.task('otherTask', () => {
    ...
  });
  
  hook('otherTask', null, 'export');
}

The above is the equivalent of...

gulp.task('export', ['myTask', 'otherTask'])

...but decentralized, and without any assumptions that both tasks exist.

Anatomy of a Supergulp file

module.exports = (gulp, config, hook) => {
  gulp.task('whatever', () => {
    ... 
  });
}

Your tasks should be kept as separate javascript files in a directory of your choosing. By default, Supergulp checks the ./gulp directory relative to your gulpfile.

Every file in the directory should use module.exports to export a function that takes the following arguments, and within which you can define one or a million gulp tasks.

|Parameter|Description|Tips| |:---|:---|:--- |gulp|The gulp instance shared by all defined Supergulp tasks.|Be sure not to require('gulp'). Use this instead.| |config|Optional, but useful: a global configuration object of your design, which is exported by your config file (default: ./gulp.config.js).|Use a consistent config structure between projects for maximum task portability.| |hook|A function which allows you to "hook" tasks into "task sets", for instance into your "default" gulp task.| |

hook itself is used a function that takes three arguments:

|Parameter|Description|Tips| |:---|:---|:--- |taskName|A string or array of strings indicating the task(s) to be "hooked".| |watch|A glob pattern to "watch" and re-fire the given tasks when files are changed. Defaults to null, in which case no watchers are set up.|It's easiest to provide the same glob you'd use in gulp.src() if you want to watch for changes. |set|The name of a compound task (a string) or tasks (an array) to "hook" into. Defaults to the 'default' task. | Compound tasks should not be explicitly declared with gulp.task, but are generated automatically by Supergulp.

Sample App Setup

Here's the file structure of our imaginary demonstration app:

├── dist
├── gulp
│   ├── build-app.js
│   └── compile-sass.js
├── node_modules
│   └── [...]
├── gulp.config.js
├── gulpfile.js
└── package.json

Let's start with gulpfile.js.

/* file: gulpfile.js */
const supergulp = require('supergulp');
supergulp();

With custom settings (the defaults are shown):

/* file: gulpfile.js */
const supergulp = require('supergulp');

let tasks = './gulp/';
let config = './gulp.config.js';

supergulp({ tasks, config });

Super minimal:

/* file: gulpfile.js */
require('supergulp')();

Crazy, right?

With the above as your gulpfile.js, the following might be gulp.config.js:

/* file: gulp.config.js */
module.exports = {
  output: {
    dir: 'dist',
    filenames: {
      app: 'app.js',
      sass: 'ui.css'
    }
  },
  sources: {
    app: './app/src',
    sass: './ui/scss'
  },
  productionMode: true
}

In our imaginary project here, we also have a /gulp directory, which contains the files build-app.js and compile-sass.js. Each of these contains a single gulp task, setup to take our configuration from the above file and perform tasks.

/* file: /gulp/build-app.js */
const babel = require('gulp-babel');
const concat = require('gulp-concat');
const uglify = require('gulp-uglify');

module.exports = (gulp, config, hook) => {
  gulp.task('build-app', () => {
    gulp.src(config.sources.app)
      .pipe(concat(config.output.filenames.app))
      .pipe(gulp.dest(config.output.dir));
  }

Now we can run "gulp build-app" and our app files will get concatenated and put in /dist as expected. Let's hook this task into our "default" task set as well, including a source file watcher that will recompile on save. The second argument specifies the watcher glob.

  hook('build-app', config.sources.app);
}

Another example:

/* file: /gulp/compile-sass.js */
const sass = require('gulp-sass');
const concat = require('gulp-concat');
const uglify = require('gulp-uglifycss');

module.exports = (gulp, config, hook) => {
  gulp.task('compile-sass', () => {
    gulp.src(config.sources.sass)
      .pipe(config.output.filenames.sass)
      .pipe(sass().on('error', sass.logError))
      .pipe(uglify())
      .pipe(gulp.dest(config.output.dir));
  });

This time, let's hook the 'compile-sass' task into BOTH the 'default' set AND a new 'styles' task set.

  hook('compile-sass', config.sources.sass, ['default', 'styles']);

Let's also hook this task into a new set, 'build', without running a watcher on the source files. This way, when running 'gulp build', the files will be built and the task will complete immediately, and not run indefinitely.

  hook('compile-sass', null, 'build');
}

Following these examples, we are able to run gulp, and both the 'compile-sass' and 'build-app' tasks run. Additionally, a watcher is setup on their source files and they are recompiled to our output directory when saved. We can also run 'gulp styles', which will build our sass files, and watch the sources. If we run 'gulp build', our sass files are compiled but the sources are not watched.