A quick breakdown of the most useful JavaScript modules that I find myself using over and over again.
Intro
This is an opinionated article that focuses on general-purpose modules and utilities that Iāve found invaluable to NodeJS and frontend JavaScript development. It wonāt be exhaustive or include any special-purpose modules, as those types ofĀ awesome listsĀ are indeed awesome but tend to be a bit overwhelming.

Categories
Command Line Tools
Letās get started with some extremely useful command line tools.
npĀ - A betterĀ npm publish.
If youāre an npm author, Iād highly recommend checking outĀ np, as it makes the process of bumping versions, adding git release tags, and publishing to npm a breeze, especially once you start having more than a couple of modules to maintain. Itās also worth notingĀ releaseĀ byĀ ZeitĀ as a solid alternative.

yarnĀ - A better package manager compatible withĀ npm.
Although npmĀ v5Ā is a lot faster than previous versions, I still findĀ yarnĀ to be preferable to npm for local development for its speed and consistency. Either way, youāre working with the same database of npm modules under the hood, and imho thereās no clear winner between the two. You should pick whichever package manager best suits your projectās needs.
As a JS developer in 2018, I would, however, make sure that youāre at least familiar with bothĀ
npm
Ā andĀ yarn
Ā and be comfortable switching off between them.prettierĀ - An opinionated code formatter.
Prettier enforces a consistent style by parsing your code and re-printing it with its own rules that take the maximum line length into account, wrapping code when necessary.
I loveĀ eslintĀ and have been a long-time user of JavaScriptĀ Standard StyleĀ in particular, but the idea behind automatic code formatters likeĀ prettierĀ andĀ gofmtĀ is undeniably attractive.
As developers, we spend way too much time and mental energy worrying about code presentation and styling, whereasĀ prettierĀ alleviates the need for those thought processes and allows you to focus on what youāre writing instead of how youāre writing it.

nowĀ - Extremely simple deployments.
Now is absolutely the best free deployment system that exists today in terms of simplicity, reliability, and feature set. Itās great for testing static and dynamic deployments and scales up nicely if and when you require more servers. Aaaaaaaaaand did I mention that itāsĀ freeĀ until you want to scale up?!
It plays extremely well with Node.js and JS-powered webapps. Iād also highly recommend checking out the rest ofĀ ZeitāsĀ offerings as well, as their team is comprised by some of the best JS devs the community has to offer.

asciinemaĀ - Free tool for recording high quality terminal sessions.
See my previous blog post āMaking your Code Beautifulā for a breakdown of how you can take advantage ofĀ asciinemaĀ to produce quality code demos & screencasts like the pros.
Promises
This section really deserves an entire article unto itself, especially now thatĀ async & awaitĀ have started becoming the de facto standard paradigm for concurrent programming in JavaScript. With that being said, Iād highly recommend checking outĀ Sindre Sorhusā excellentĀ promise-funĀ module collection if you havenāt already. My only gripe with these modules is that they likely wonāt work out-of-the-box with most frontend toolchains likeĀ create-react-appĀ orĀ rollup.
Here are a few of the most useful gems which stick out for working with promises and async-style code in Node:
pifyĀ - Promisify a callback-style function.
There are a lot of ways to convert functions from old-school callback-style to Promise-style, but Iāve foundĀ pifyĀ to be the best. Itās tiny and has some niceties like automatic method binding that the built-inĀ util.promisifyĀ is lacking.
p-mapĀ - Map over promises concurrently.
Concurrency is great, but most of the time you want to set a practical limit on parallelism whether it be throttling network bandwidth or compute resources. This is whereĀ p-mapĀ really shines. I use it 99% of the time as a drop-in replacement forĀ
Promise.all(ā¦)
, which doesnāt support limiting parallelism.Before I was aware ofĀ p-map, I created my own versionĀ async-await-parallel, but you should useĀ p-mapĀ as itās better. š
p-retryĀ - Retry a promise-returning or async function.
I generally wrap any HTTP requests and external service calls withĀ p-retryĀ to add a basic level of robustness to them. Combined withĀ p-map, you can process large batches of external requests with controlled parallelism without having to worry too much about an occasional transport error, socket hang-up, or server timeout.
p-timeoutĀ - Timeout a promise after a specified amount of time.
AlongsideĀ p-retry,Ā p-timeoutĀ is a must for robustly working with third-party APIs and services. You can also specify an optional fallback, as oftentimes returningĀ somethingĀ is better than hanging indefinitely or returning after an inordinate amount of time.
p-cacheĀ orĀ p-memoizeĀ - Memoize the results of an async function via anĀ LRU cache.
The aim of many of these Promise utilities reminds me a lot of architecting robustĀ microservices, where every external dependency can be treated with a common interface supporting retrys, timeouts, caching, circuit breakers, fallbacks, etc.
Graceful degradation of functionality is generally preferable to overwhelming the system or not responding at all, so if youāre not too familiar with microservices, check them out and see if their design decisions can help improve your Promise handling abilities as well.
Scraping
There are a lot of great scraping utilities out there, some of which operate on raw HTML likeĀ cheerio, and some of which simulate a full browser environment likeĀ puppeteer. What you decide to use really depends on your use case, as working with raw HTML is a lot quicker and more lightweight, whereas automating a headless browser is more robust at the cost of being heavier to get started.
cheerioĀ - Fast, flexible, and lean implementation of coreĀ jQueryĀ designed specifically for the server.
Cheerio is really great for quick & dirty web scraping where you just want to operate against raw HTML. It provides a robust jQuery-like syntax for traversing & manipulating HTML documents. Cheerio pairs particularly well withĀ request-promise-nativeĀ below for fetching remote HTML documents.
puppeteerĀ - Headless Chrome Node API
Unlike cheerio, puppeteer is a wrapper for automating headless chrome instances, which is really useful for working with modern JS-powered SPAs. Since youāre working with Chrome itself, it also has best-in-class support for parsing / rendering / scripting conformance. Headless Chrome is still relatively new, but it will likely phase out older approaches such asĀ PhantomJSĀ in the years to come.
If you need to faithfully scrape websites, automate web-based workflows, or capture screenshots,Ā puppeteerĀ is a clear winner that will only become more popular with time.
Node.js
dotenv-safeĀ -Ā Load environment variables fromĀ .envĀ and ensure theyāre all present.
This module extends the hugely popularĀ dotenvĀ module to enforce the existence of expected environment variables via aĀ
.env.example
Ā file. Like the original, it provides fast, secure, and robust environment variable support for Node.It also plays well with ZeitāsĀ now.shĀ deployments with theĀ
ādotenvā: true
Ā option set inĀ now.json.requestĀ andĀ request-promise-nativeĀ - Simplified HTTP request client.
Making HTTP requests is an extremely common operation, and my goto module here isĀ request-promise-nativeĀ which wraps the originalĀ requestĀ module with native ES6 promise support. 95% of the time I want to await the result of a promisified HTTP request. The other 5% of the time I want to work with the response stream directly, in which case I use the underlyingĀ requestĀ module, foregoing Promise support.
For robustness, I will oftentimes wrapĀ request-promise-nativeĀ calls in some combination ofĀ p-retry,Ā p-timeout, andĀ p-cache.
Itās also worth mentioningĀ gotĀ as a newer alternative toĀ requestĀ with promise support baked in, although I havenāt used it much personally.
Example of downloading an HTML document withĀ request-promise-native.
consolidateĀ - Template engine consolidation library for Node.
Consolidate is great for handling any type of backend templating (emails, tweets, raw html, etc.). I generally useĀ handlebarsĀ as my templating engine of choice, but no matter what, I always wrap my template usage inĀ consolidate, because it provides a simple & consistent interface to templating regardless of the template engine you decide to use under the hood.
For example, I used consolidate inĀ create-react-libraryĀ to render the boilerplateās templates with library-specific variables.
execaĀ - A betterĀ child_process.
Extremely useful if you need to run a shell command or spawn a child process in general.
fs-extraĀ - A betterĀ fsĀ with additional methods and Promise support.
Itās rare that I find myself usingĀ
fs
Ā directly anymore. TryĀ fs-extra
Ā and you wonāt look back.Math
D3Ā (Data-Driven Documents) is a popular frontend library for data visualization and animation. It also contains some of the bestĀ standalone packagesĀ for common math operations that I find myself consistently choosing over alternative modules.
d3-randomāāāGenerate random numbers from various distributions.
WhenĀ
Math.random
Ā doesnāt cut it, giveĀ d3-randomĀ a try. It supports sampling from different common distributions, including uniform, normal, and exponential.d3-easeĀ - Easing functions for smooth animations.

d3-interpolateĀ - Interpolate numbers, colors, strings, arrays, objects, whatever!
This module provides a variety of interpolation methods for blending between two arbitrary values. Values may be numbers, colors, strings, arrays, or even deeply-nested objects.
Testing
avaĀ - Awesome JS test runner.
Itās not surprising that my go-to for unit test runner for Node.js is yet another tool created by Sindre Sorhus. Ava is a newer unit test runner that takes a lot of what was good aboutĀ mocha,Ā tape,Ā chaiĀ and other JS test runners, and bundles it all together into a quality project with sensible defaults that ājust worksā.
Itās worth noting that Avaās tests are run in parallel by default, which you can disable at the file-level for use cases like database testing where the order your unit tests run may be important.

nockĀ - HTTP mocking and expectations library.
Nock is great for testing modules that perform HTTP requests in isolation. If your Node module makes HTTP requests and you want to provide proper unit testing, thenĀ nockĀ is the way to go.
sinonĀ - Function spies, stubs and mocks for JS testing.
Sinon is a very useful utility library for writing isolated tests by taking advantage of dependency injection. It should be a part of every Node developerās tool belt.
Wrapping Up
I hope youāve found this breakdown helpful, even if itās just learning about one quality module that you werenāt aware of before. I know a lot of aspiring and seasoned developers alike who end up rolling their own solutions to common problems, which can be a useful practice in & of itself, but itās also good to know when there are quality, existing solutions you should be using instead of constantly reinventing the wheel.
The size & scope of NPMās module library is unprecedented, and imho itās one of JavaScriptās biggest advantages compared with other programming languages. The better you become at taking advantage of npm modules, the faster and more productive youāll be as a developer. Higher-order āsoftā skills like this are one of the hallmarks of becoming aĀ mythical 10x programmer.
Have any favorite npm modules I left out? Let me know by sharing your favorite modules in the comments! ā¤ļø
Ā
Follow me on twitter for more awesome stuff like this @transitive_bs