Today, the JavaScript ecosystem is in a constant state of ... innovation ... as millions of developers contribute to client-side and server-side libraries and tools.
We couldn't possibly present an exhaustive overview of the ecosystem, but we think the following tools are mandatory for most JavaScript developers to at least be familiar with.
-
Since its release in 2009, the Node package manager has become one of the most prolific package managers in the world
-
Share packaged modules of JavaScript code
-
Stipulate versions (or version ranges) for package dependencies
-
npm Registry contains over 195,000 modules: the largest of all package repositories
-
Can install packages locally or globally
-
Controlled by
package.json
:{ "name": "Aardvarks Ahoy", "version": "0.0.0", "description": "Orycterapus after", "main": "server.js", "repository": "https://iamnotarealrepository", "author": "Rich Churcher <[email protected]>", "dependencies": { "express": "~3.2.4", }, "devDependencies": { "babel": "^5.8.23", "babelify": "^6.3.0", "browserify": "^11.1.0", "gulp": "^3.9.0", "gulp-babel": "^5.2.1", "gulp-concat": "^2.6.0", "gulp-uglify": "^1.4.1", "karma": "^0.13.9", "minifyify": "^7.0.6", "vinyl-source-stream": "^1.1.0" } }
- Each package keeps a copy of its own dependencies in a nested folder structure (under
node_modules
)- This causes a lot of duplication on the server's file system, but since we're not running JavaScript in the browser it's rarely a problem
- Each package keeps a copy of its own dependencies in a nested folder structure (under
-
Bower is ideally suited to managing packages for the client, because unlike npm it doesn't nest dependencies: there's only one copy of each
- Much lighter weight, faster page loads
- Interacts with Git, can install directly from a repository
- Very common to use a combination of Bower and npm: they're not mutually exclusive
-
Controlled by bower.json:
{ "name": "Aardvarks Ahoy", "description": "Orycterapus after", "version": "0.0.0", "homepage": "https://thisisnotthehomepage.io", "authors": [ "Rich Churcher <[email protected]>" ], "main": "js/app.js", "moduleType": [ "amd", "es6", "node" ], "keywords": [ "aardvark", "landlubber", "keelhaul" ], "license": "MIT", "ignore": [ "**/.*", "node_modules", "bower_components", "test", "tests" ], "dependencies": { "jquery": "~2.1.4", "lodash": "~3.10.1" } }
-
The above or something very like it would be generated with the following terminal commands:
npm i bower --save-dev bower init bower install jquery lodash --save
bower init
fills most of the details out for you, including grabbing the GitHub repo as homepage, and adding any previously installed components- Subsequently, components can be included directly from
bower_components/packagename/packagename.js
or similar
-
Unlike npm and Bower, Gulp is a build system and not a package manager
-
Also referred to as a task runner.
-
Typically used for:
- Concatenation and minification of source files, other deployment-related tasks
- Compiling your CSS/Sass
- Running a transpiler, allowing you to use ES6 features
- Running test suites
- Compressing images
- Watching files for changes
-
Gulp can be used with both client and server-side projects
-
Uses node streams
- Reads source files, pipes the text through plugins, and writes output
-
Wide variety of plugins: uses npm packages
-
Compares to Grunt, another widely-used task runner
-
Controlled with
gulpfile.js
. For example:var gulp = require('gulp'); var concat = require('gulp-concat'); var stripDebug = require('gulp-strip-debug'); var uglify = require('gulp-uglify'); var sourcemaps = require('gulp-sourcemaps'); var Server = require('karma').Server; gulp.task('js', function () { return gulp.src('js/**/*.js') .pipe(sourcemaps.init()) .pipe(concat('app.js')) .pipe(stripDebug()) .pipe(uglify(true)) .pipe(sourcemaps.write()) .pipe(gulp.dest('dist')); }); gulp.task('test', function (done) { new Server({ configFile: 'test/karma.conf.js', singleRun: true }, done).start(); }); gulp.task('watch', ['js'], function () { gulp.watch('js/**/*.js', ['js', 'test']); });
- the
js
task does the following:- Suck every JavaScript file in
js
and its subdirectories into a stream - Starts a sourcemap: a way to retain the ability to debug minified code
- Pass the stream through
concat
, which (surprise!) concatenates all the files into one, naming itapp.js
- Pass the stream through
stripDebug
, which removes all those peskyconsole.log
s - Pass the stream through
uglify
, which minifies it - Finishes the sourcemap
- Writes the stream to the destination directory.
- Suck every JavaScript file in
- The
test
task uses the Karma test runner to run the unit test suite - The
watch
task above will keep an eye on files with the.js
suffix and run first thejs
task, then the tests, for each code change
- the
-
Bundles the dependencies for your project, letting you program with modules while browser support for ES6 and
import
/export
is still patchy -
Can also handle minification and other pre-deployment tasks
-
Can be used from the command line or within the context of other tools such as Gulp:
var gulp = require('gulp'); var browserify = require('browserify'); var babelify = require('babelify'); var source = require('vinyl-source-stream'); var bundler = browserify({ entries: './src/main.js', extensions: ['.js'], debug: true }); gulp.task('default', function () { return bundler .transform(babelify) .bundle() .pipe(source('app.js')) .pipe(gulp.dest('js')); });
- To walk through the above
gulpfile.js
:- Create a
bundler
using Browserify which begins atmain.js
and scoops up everything that app.js requires to work (dependencies) - Pass it through a transform using
babelify
, which is specifically designed to create ES5 output from ES6 JavaScript - Bundle it all up
- Pipe the result into a file named
app.js
- Write
app.js
into thejs
destination directory
- Create a
- To walk through the above
-
A long-standing behaviour-driven test framework
-
Probably as close to a 'standard' as JavaScript has, although alternatives are growing in popularity
-
Tests are just JavaScript files, which can contain any code you like
describe('Wombat Counter', function() { describe('GET /', function() { it('responds with HTTP status 200', function() { request.get(base_url, function(error, response, body) { expect(response.statusCode.toBe(200)); }); }); }); });
-
Jasmine comes with its own assertion tools:
expect(countTheAardvarks()).toEqual(9); expect("I'm a wombat").toContain("wombat"); expect(countTheAardvarks()).not.toEqual(8);
-
It also has spies: a way to keep tabs on parts of your program where it's not simple to track what's happening, like methods/functions
var a = new ArmouryOfAardvarks(); spyOn(a, 'countTheAardvarks'); a.showPopulation(); // Did showPopulation call countTheAardvarks? expect(a.countTheAardvarks).toHaveBeenCalled();
- On the surface, Mocha looks very similar to Jasmine but there are some important differences:
- For many uses there will be little difference between Jasmine, Mocha, and [ insert library here ].
- The take-home message is, it's probably more important that your app has good test coverage than spending time worrying about which framework to use!
- Chai is perhaps the most popular assertion library for Mocha.
- Chai supports a variety of assertion styles and is extensible via plugins.
-
assert:
assert.typeOf(foo, 'string', 'Yup, that is a string.'); assert.lengthOf(aardvarkArmoury, 9, 'There appear to be 9 aardvarks.');
-
BDD (extremely similar to Jasmine assert style):
expect(foo).to.equal('bar'); expect(aardvarkArmoury).to.have.property('population').with.length(9);
-
should (extends each object with a new property):
aardvarkArmoury.should.have.property('population').with.length(9);
-
-
Sinon is a standalone spy/mocking tool, often used as a Chai plugin.
-
Example pulled from Chai site:
"use strict"; var chai = require("chai"); var sinon = require("sinon"); var sinonChai = require("sinon-chai"); chai.should(); chai.use(sinonChai); function hello(name, cb) { cb("hello " + name); } describe("hello", function () { it("should call callback with correct greeting", function () { var cb = sinon.spy(); hello("foo", cb); cb.should.have.been.calledWith("hello foo"); }); });
-
Karma is a test runner, commonly associated with Angular development but usable as a standalone.
- Used to go by the unlikely moniker, "Testacular"
-
Can watch for changes in code files and re-run unit tests to check if you've broken anything
-
Controlled by
karma.conf.js
:module.exports = function(config){ config.set({ basePath : './', files : [ '/media/work/src/js/angular.js', '/media/work/src/js/angular-route.js', '/media/work/src/js/angular-resource.js', '/media/work/src/js/angular-mocks.js', 'js/app.js', 'js/test/*_tests.js', ], autoWatch : true, frameworks: ['jasmine'], browsers : ['Chrome'], plugins : [ 'karma-chrome-launcher', 'karma-firefox-launcher', 'karma-jasmine', 'karma-junit-reporter' ], junitReporter : { outputFile: 'test_out/unit.xml', suite: 'unit' } }); };
- Protractor is an end-to-end testing framework.
- Gives you the ability to simulate user interaction throughout your app, running in a real browser
- Can click each link, check form validation, take screenshots, etc