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 🙏

© 2024 – Pkg Stats / Ryan Hefner

water-pipe

v1.0.0

Published

A small async piping library based on waterflow and inspired by *nix pipes

Downloads

6

Readme

Water Pipe

A small async piping utility for Node.js. It's a wrapper of water​fall inspired by *nix pipe. Its main advantages are:

  • Stop the callback hell keeping it plain
  • Handle errors elegantly
  • Modularize your code with a reusable interface

Getting started

Install it to your node project:

npm install water-fall --save

Include it and you are ready to use it:

var start = require('water-fall');

start(op1, '1').pipe(op2).pipe(op1, 'b').end(function(err, data){
  console.log(data);
});

Definition

The common interface for unix pipe | is the string, but in javascript functions and objects cannot be stringify easily so the common interface is a simple object {} with namespaces. You can of course define your own interface for the code, but I recommend following the convention:

start(initialData)
  .pipe(operation2, [parameter1], [parameter2], [...])
  // ...
  .end(finish);

The function pipe() accepts two arguments:

  • operation: the current operation to perform
  • parameter: the parameter that will be passed. It can only be one, but it might be a string, array, object or anything else

Each operation looks like this:

function operation(callback, previous, parameter1, parameter2, ...){
  // ... logic
  callback(error, nextData);
}

Where the operation receives three arguments, callback, previous and parameter:

  • callback: the function that must be called to follow the flow.
    • error: An error if there was anything wrong or null if everything was okay
    • nextData: The data that will be passed to the next function as previous.
  • previous: the data that the previous pipe() sent through the callback in the callback(null, next). It depends on what you defined in the previous pipeline, but it's highly recommended that you have an object with namespaces.
  • parameter: it's the current piping parameter: pipe(checkSomething, 'parameter'). You can only add a parameter, but it can be an array, object, string or whatever

The finishing function looks like this:

function finish(err, data){
  console.log(err, data);
}

It all finished with end(), the functions are actually called and the error (if any) or the data are sent. This is needed so water-pipe knows when to get it all together. It has two arguments:

  • err: is any of the errors in any of the piped functions
  • data: is the resulting data from piping it all together

Why?

Because the Node flow for larger projects is quite messy. For instance, let's say that you have to retrieve all of the subjects that your current logged in user has, her reputation in the website and her new notifications. That's not pretty however you want to see it:

module.exports.index = function(req, res, next){
  if (!req.user) next(new Error("No user logged in"));
  subject.find({ user: req.user._id }, function(err, subjects){
    if (err) next(err);
    if (!subjects) next(new Error("No subjects"));
    
    reputation.find({ user: req.user._id }, function(err, reputation){
      if (err) next(err);
      // ... do some reputation magic
      
      notification.find({ user: req.user._id, read: false }, function(err, notifications){
        res.render('subject/index', {
          user: req.user,
          
          subjects: subjects,
          reputation: reputation,
          notifications: notifications
        });
      });
    });
  });
};

Even with async it has few other problems. Imagine that you want to add a couple more of operations. Or that what you retrieve can change rapidly, having to change the nesting order. Sure you can modularize it, but still each part of the code is doing whatever it wants, is nested and all mixed together.

Example

So let's do the previous example with pipe() so you see how it works:

var start = require('water-pipe');

// Load all of the models (check the library auto-load, it's useful and I helped a bit)
var model = require('auto-load')('model');

module.exports.index = function(req, res, next){
  
  // Note: order does not matter if a function doesn't depend on the previous data
  start()
    .pipe(model.subject.byUser, req.user._id)
    .pipe(model.reputation.byUser, req.user._id)
    .pipe(model.notification.unreadByUser, req.user._id)
    .end(function (err, data){
      if (err) return next(err);
      res.render('subject/index', extend(data, { user: req.user });
    });
};

Then in model/notification.js or somewhere convenient we have this:

// This is nice to have
var extend = require('extend');

module.exports.unreadByUser(callback, stack, id){
  db.find({ user: id, unread: false }, function(err, notifications){
    callback(err, extend(stack, { notification: notification }));
  });
}

What do I hear you saying about highly readable and modular code? The other functions can be created in a similar way.

Error handling

But I actually cheated, I didn't show the code for checking the subject, which is also a strength of pipe(). Let's see how we could require a subject:

function needsSubject(callback, stack, param){
  if (!stack || !stack.subject) {
    return callback(new Error("Subject not present"));
  }
  callback(null, stack);
}

// Note: order does not matter if a function doesn't depend on the previous data
start()
  .pipe(model.subject.byUser, req.user._id)
  .pipe(needsSubject)  // That's it for checking if there's a subject
  .pipe(model.reputation.byUser, req.user._id)
  .pipe(model.notification.unreadByUser, req.user._id)
  .end(function (err, data){
    
    // Get the error here if no subject
    if (err) return next(err);
    res.render('subject/index', data);
  });

But let's require ALL THE THINGS:

// Make sure we have the namespace and it's not empty
function needs(callback, stack, param){
  if (!stack || !stack[param]) {
    return callback(new Error(param + " not present"));
  }
  callback(null, stack);
}

// Then just... pipe it as you please
start()
  .pipe(model.subject.byUser, req.user._id)
  .pipe(needs, 'subject')
  .pipe(model.reputation.byUser, req.user._id)
  .pipe(model.notification.unreadByUser, req.user._id)
  .pipe(needs, 'notification')
  .end(/* ... */)

As you can see a pipeable function is really flexible, it can fetch, check, save, parse, send, write data or any other thing that you can normally do with some data.

Trivial example

This is a small example that wouldn't be worth the trouble in the real world, but I wanted to show it just so you see how it works. Just sum numbers. First define the operation that follows the common interface:

function sum(callback, prev, param){
  
  // Make sure we're dealing with previous data
  if (typeof prev !== 'number') prev = 0;
  if (typeof param !== 'number') param = 0;
  
  // Main operation
  var next = prev + param;
  
  // Important to call our callback (and pass error if needed)
  var error = null;
  callback(error, next);
}

Then use it with a finishing function in end():

start(2)
  .pipe(sum, 3)
  .pipe(sum, 5)
  .end(function(err, total){
    if (err) return console.log(err);
    alert("Total: " + total);
  });