An opinionated style guide for writing JavaScript.
- Introduction
- General Principles
- Whitespace
- Semicolons
- Parentheses
- Variables
- Strings
- Arrays
- Functions
- Strict Mode
- Arguments
- Regular Expressions
- Blocks
- Equality
- Errors
- Comments
- Naming
- This
- Classes
- Setters and Getters
- Method Chaining
- Documentation
- Performance
- Modularity
- Client-side JavaScript
- Dependencies
- Additional Resources
- License
Always abide by the Law of Code Style Consistency, or, in other words, when in Rome, do as the Romans do.
While the code base to which you want to contribute may be a horrific mess in terms of aesthetic appearance and style, style consistency takes precedence over personal preference and canon. The more consistent a code base is in terms of style, the more readers of the code can focus on what the code does rather than deciphering changes in style.
So, even if your peers commit various faux pas outlined below, as long as you are contributing to their code base, abide by their conventions.
A code base--module, repository, application, library, etc--should always appear to have a single author and not be a schizophrenic franken-mess. This stated, for those opportunities where you are the primary author, you should lead by example and write clean, readable, and testable code.
Hopefully, most of the conventions outlined below will help enable you to do so.
- Prefer standards to non-standards.
- Do one thing and do one thing well.
- Keep your code clean. Create feature branches for experimental development, extensive annotations, and/or alternative implementations.
Tab indentation allows a developer to specify the space indentation equivalent in her editor. For example, in Sublime Text, you can specify in your user preferences
"tab_width": 4
- Even if you must use spaces, never mix tabs and spaces. This is formatting hell, as a simple find-and-replace is useless in the face of such chaos.
This project contains an .editorconfig
file to be used in conjunction with IDE and/or browser plugins.
Including 1
space before a leading brace improves readability.
// Do not...
function query(){
// Do something...
}
// Do...
function query() {
// Do something...
}
TODO: ESLint rule
Including 1
space before and after arguments improves readability.
// Do not...
function test(arg1,arg2,arg3) {
// Do something...
}
// Do...
function test( arg1, arg2, arg3 ) {
// Do something...
}
TODO: ESLint rule
Including 1
space before and after array
indices improves readability.
// Do not...
var foo = bar[10];
// Do...
var foo = bar[ 10 ];
-
Use discretion when using spaces around
array
indices buried in braces.// Okay: var foo = myFunction( ( a === b ) ? bar[0] : bar[1] );
TODO: ESLint rule
Including 1
space before and after operators improves readability.
// Do not...
var a=1+1;
// Do...
var a = 1 + 1;
-
Use discretion when operators are contained within complex expressions and
string
concatenation.// Okay... var str = 'This is a long string by '+firstName+' '+lastName+', which may keep going and going and...'; // Okay... var n = ((x+y+z)*(t-w-v)) + 5;
TODO: ESLint rule
Immediate juxtaposition makes evident what is being affected.
// Do not...
x = ++ y;
z = z ++;
// Do...
x = ++y;
z = z++;
TODO: ESLint rule
Including 1
space after comment marks improves readability.
// Do not...
//This is a single-line comment.
/*
*This is a mult-
*line comment.
*/
// Do...
// This is a single-line comment.
/*
* This is a multi-
* line comment.
*/
TODO
Some IDEs have a tendency to auto-indent based on the previous line, thus pushing all subsequent lines 1
character to the right.
// Do not...
/*
* This is a multi-line comment.
* The comment continues and continues...
* ...until it no longer does.
*/
// Do...
/*
* This is a multi-line comment.
* The comment continues and continues...
* ...until it no longer does.
*/
In general, hard to automatically enforce. Mostly enforced through code review.
Indentation improves readability.
// Do not...
var svg = d3.select( '.main' ).append( 'svg:svg' ).attr( 'class', 'canvas' ).attr( 'data-id', Date.now() ).attr( 'width', 100 ).attr( 'height', 100 );
// Do...
var svg = d3.select( '.main' )
.append( 'svg:svg' )
.attr( 'class', 'canvas' )
.attr( 'data-id', Date.now() )
.attr( 'width', 100 )
.attr( 'height', 100 );
Hard to automatically enforce. Mostly through code review. TODO: partial enforcement via lint rule.
Newline is unnecessary.
// Do not...
if ( foo === bar ) {
// Do something...
}
else {
// Do something different...
}
// Do...
if ( foo === bar ) {
// Do something...
} else {
// Do something different...
}
-
Use discretion when faced with multiple conditions.
// Do... if ( foo === bar ) { // Do something... } else if ( foo === beep ) { // Do something else... } else if ( bar === bar ) { // Do something more... } else { // Do something different... } // Okay... if ( foo === bar ) { // Do something... } else if ( foo === beep ) { // Do something else... } else if ( baz === bar ) { // Do something more... } else { // Do something different... }
-
Use discretion when documenting conditions.
// Okay... // `bar` can only equal `foo` when... if ( foo === bar ) { // Do something... } // `beep` can only equal `foo` when... else if ( foo === beep ) { // Do something else... } // This pathway should rarely be taken... else if ( baz === bar ) { // Do something more... } // `foo` equals `bap` else { // Do something different... }
Code review.
Indenting the case
keyword within switch
statements results in excessive indentation.
// Do not...
switch ( foo ) {
case 'bar':
// Do something...
break;
case 'beep':
// Do something...
break;
default:
// Do something...
}
// Do...
switch ( foo ) {
case 'bar':
// Do something...
break;
case 'beep':
// Do something...
break;
default:
// Do something...
}
TODO: ESLint rule
While semicolons are not required in most cases due to automatic semicolon insertion, prefer to be explicit in specifying when a statement ends. Additionally, in certain REPL environments, semicolons acquire special meaning; notably, they silence return value output.
// Do not...
var bar = foo()
// Do...
var bar = foo();
TODO: ESLint rule
Including parentheses around the test condition in ternary operators improves readability.
// Do not...
var foo = a === b ? a*3 : b/4;
// Do...
var foo = ( a === b ) ? a*3 : b/4;
TODO
Doing so makes variable hoisting explicit.
// Do not...
function myFunction() {
var foo = 3;
if ( foo ) {
// Do something...
}
var bar = foo * 5;
}
// Do...
function myFunction() {
var foo = 3;
var bar;
if ( foo ) {
// Do something...
}
bar = foo * 5;
}
TODO: ESLint rule (and code review)
Adding, removing, and reordering variables is easier. Additionally, git
diffs are cleaner.
// Do not...
var boop = 'hello',
beep = false,
bar = null,
foo = 3;
// Do...
var boop = 'hello';
var beep = false;
var bar = null;
var foo = 3;
TODO: ESLint rule
Declaring variables on separate lines improves readability.
// Do not...
var beep; var boop;
var bop; var bap; var i;
// Do...
var beep;
var boop;
var bop;
var bap;
var i;
TODO: ESLint rule
Visual alignment and thus improved readability.
// Do not...
var beep;
var foo = 3;
var boop;
var bar = null;
// Do...
var bar = null;
var foo = 3;
var beep;
var boop;
Code review.
Visual alignment and thus improved readability.
// Do not...
var a;
var foo;
var b;
var ii;
var bar;
// Do...
var foo;
var bar;
var ii;
var a;
var b;
Code review.
Reserve double quotes for in-string parenthetical references or quotes. Additionally, single quotes consume less visual space.
// Do not...
var str = "Hello";
// Do...
var str = 'Hello';
TODO: ESLint rule
Immediate evaluation prevents a template being stored in a variable. Token syntax is fixed. Whitespace sensitivity causes alignment issues, especially within nested code blocks.
- A function which performs string concatenation is equivalently effective.
TODO: ESLint rule. Code review.
Instantiation with the new
operator is unnecessary.
// Do not...
var arr = new Array();
// Do...
var arr = [];
Code review.
Allows compiler to pre-allocate memory.
// Do not...
var arr = [];
var i;
for ( i = 0; i < 100; i++ ) {
arr.push( Math.random() );
}
// Do...
var arr = new Array( 100 );
var i;
for ( i = 0; i < arr.length; i++ ) {
arr[ i ] = Math.random();
}
-
Do not use the
new
operator if thearray
length is very large due to how compilers handle "fast" elements. Instead, to ensure "fast" elements,var arr; var i; arr = []; for ( i = 0; i < 1e7; i++ ) { arr.push( Math.random() ); }
Code review.
More explicit and efficient. Additionally, passing the arguments
object to any function leads to optimization hell.
// Do not...
var args = Array.prototype.slice.call( arguments );
// Do...
var nargs = arguments.length;
var args = new Array( nargs );
var i;
for ( i = 0; i < nargs; i++ ) {
args[ i ] = arguments[ i ];
}
Code review.
When copying a small array
, using Array#slice()
incurs a function overhead which outweighs benefits. Thus, a for
loop is more efficient. For larger arrays
, function cost is comparable to or less than loop cost in addition to the runtime engine being able to optimize for copying large chunks of memory.
// Do...
var arr = new Array( 10 );
var out = new Array( arr.length );
var i;
for ( i = 0; i < arr.length; i++ ) {
arr[ i ] = Math.random();
}
// Copy...
for ( i = 0; i < arr.length; i++ ) {
out[ i ] = arr[ i ];
}
// Do...
var arr = new Array( 10000 );
var out;
var i;
for ( i = 0; i < arr.length; i++ ) {
arr[ i ] = Math.random();
}
// Copy...
out = arr.slice();
Code review.
Splitting object
properties over multiple lines improves readability.
// Do not...
var obj = { 'a': null, 'b': 5, 'c': function c() { return true; }, 'd': ( foo === bar ) ? foo : bar };
// Do...
var obj = {
'a': null,
'b': 5,
'c': function c() {
return true;
},
'd': ( foo === bar ) ? foo : bar
};
Code review.
For complex objects
, matching properties and their corresponding values becomes more difficult, thus hindering readability.
// Do not...
var obj = {
'prop' : true,
'attribute': 'foo',
'name' : 'bar'
};
// Do...
var obj = {
'prop': true,
'attribute': 'foo',
'name': 'bar'
};
Code review.
An object which includes a trailing comma is not valid JSON.
// Do not...
var obj = {
'prop': true,
'attribute': 'foo',
'name': 'bar', // <= DON'T
};
// Do...
var obj = {
'prop': true,
'attribute': 'foo',
'name': 'bar'
};
TODO: ESLint rule
Unnecessary syntactic sugar. In complex objects, shorthand notation decreases readability. Prefer making key-value pairs explicit.
var foo = 'beep';
var x = true;
var y = 10;
var obj = { foo, 'baz': 'boop', x, y };
var foo = 'beep';
var x = true;
var y = 10;
var obj = {
'foo': foo,
'baz': 'boop',
'x': x,
'y': y
};
TODO: ESLint rule. Code review.
Declaring functions
using function statements, rather than function expressions, (1) avoids problems encountered due to hoisting and (2) minimizes the use of anonymous functions
.
// Do not...
var beep = function () {
console.log( 'boop' );
};
// Do...
function beep() {
console.log( 'boop' );
}
TODO: ESLint rule
Minimizes closures and helps to prevent nested callback hell.
// Do not...
function beep() {
boop();
function boop() {
// Do something...
}
}
// Do...
function beep() {
boop();
}
function boop() {
// Do something...
}
Code review. Look for excessive indentation.
Declaring within loops and conditions may result in repeated function creation, and variables in the outer scope may change leading to subtle bugs.
// Do not...
function beep( idx, clbk ) {
clbk( 'beep'+idx );
}
for ( var i = 0; i < 10; i++ ) {
beep( i, function bop( msg ) {
console.log( msg );
});
}
// Do...
function beep( idx, clbk ) {
clbk( 'beep'+idx );
}
function bop( msg ) {
console.log( msg );
}
for ( var i = 0; i < 10; i++ ) {
beep( i, bop );
}
// Do not...
for ( var i = 0; i < 10; i++ ) {
setTimeout( function onTimeout() {
console.log( i );
}, 1000 );
}
// Do...
function clbk( idx ) {
return onTimeout;
function onTimeout() {
console.log( idx );
}
}
for ( var i = 0; i < 10; i++ ) {
setTimeout( clbk( i ), 1000 );
}
// Do not...
var i = Math.random() * 20;
if ( i < 11 ) {
bap();
function bap() {
// Do something...
}
}
// Do...
function bap() {
// Do something...
}
var i = Math.random() * 20;
if ( i < 11 ) {
bap();
}
TODO: ESLint rule
Makes a clear distinction between a function
declaration and one that is immediately invoked.
// Do not...
function init() {
// Do something...
}();
// Do...
(function init() {
// Do something...
})();
TODO: ESLint rule
Reduces noise when first attempting to understand implementation flow, especially if enclosed functions are documented.
// Don't...
function getEquation( a, b, c ) {
/**
* Computes a complex equation.
*
* @private
* @param {number} e - dynamic value
* @returns {number} equation output
*/
function eqn( e ) {
return e - d + ( 15 * a ) + ( Math.pow( b, 1 / c ) );
}
var d;
a *= 3;
b = a / 5;
c = Math.pow( b, 3 );
d = a + ( b / c );
return eqn;
}
// Do...
function getEquation( a, b, c ) {
var d;
a *= 3;
b = a / 5;
c = Math.pow( b, 3 );
d = a + ( b / c );
return eqn;
/**
* Computes a complex equation.
*
* @private
* @param {number} e - dynamic value
* @returns {number} equation output
*/
function eqn( e ) {
return e - d + ( 15 * a ) + ( Math.pow( b, 1 / c ) );
}
}
TODO: ESLint rule
Function calls introduce additional overhead and, often, functional counterparts do not save space, a frequently cited benefit.
// Do not...
var squared = arr.map( function square( value ) {
return value * value;
});
var squared = new Array( arr.length );
// Do...
for ( var i = 0; i < arr.length; i++ ) {
squared[ i ] = arr[ i ] * arr[ i ];
}
Code review.
(1) They are not needed. (2) The syntax allows too much style variability.
// No braces:
var f = x => x + 1;
// Some braces:
f = (x, y) => x + y;
// Some other braces:
f = x => { x += 20; return x.toString(); };
// Many braces:
f = (x, y) => { x += y; return x.toString(); };
(3) Implicit returns
can lead to subtle bugs and require a constant mental model as to what is returned and when.
var y = x => x;
z = y( 10 );
// returns 10
y = x => { x };
z = y( 10 );
// returns undefined
y = ( x ) => { x };
z = y( 10 );
// returns undefined
y = ( x ) => x;
z = y( 10 );
// returns 10
y = ( x ) => { return x };
z = y( 10 );
// returns 10
y = x => return x;
z = y( 10 );
// => Uncaught SyntaxError: Unexpected token return
var squared = arr.map( x => x*x );
function square( x ) {
return x * x;
}
var squared = arr.map( square );
Code review.
This follows the Node.js callback convention.
// Do...
function clbk( error, value ) {
if ( error ) {
return;
}
console.log( value );
}
function onResponse( error, response, body ) {
if ( error ) {
clbk( error );
return;
}
clbk( null, body );
}
request({
'method': 'GET',
'uri': 'http://127.0.0.1'
}, onResponse );
- If no errors, the
error
argument should benull
.
Code review.
Error handling in promises
is ill-defined. These primitives originated primarily due to poor coding practices when using callbacks rather than out of existential need.
Code review.
Avoids nested callback hell.
// Do not...
function deferredComputation( value ) {
return compute;
function compute() {
return cube();
function cube() {
var v;
v = mult( value, value );
v = mult( v, value );
return v;
function mult( x, y ) {
return x * y;
}
}
}
}
// Do...
function mult( x, y ) {
return x * y;
}
function cube( value ) {
var v;
v = mult( value, value );
v = mult( v, value );
return v;
}
function deferred( value ) {
return compute;
function compute() {
return cube( value );
}
}
function deferredComputation( value ) {
return deferred( value );
}
Code review.
Named functions
are easier to find in stack traces and consequently debug.
// Do not...
function beep( f ) {
f();
}
beep( function () {
console.log( 'boop' );
});
// Do...
function beep( f ) {
f();
}
function boop() {
console.log( 'boop' );
}
beep( boop );
TODO: ESLint rule
Writing JavaScript in strict mode discourages bad practices, avoids silent errors, and can result in better performance, as the compiler can make certain assumptions about the code.
'use strict';
NaN = null; // throws an Error
-
Prefer strict mode for a whole script. If not possible, use strict mode for each available
function
.function beep() { 'use strict'; delete Object.prototype; // throws an Error }
TODO: ESLint rule
Doing so automatically puts the function
in optimization hell.
// Do not...
function fcn() {
var out = foo( arguments );
}
// Do...
function fcn() {
var nargs = arguments.length;
var args = new Array( nargs );
var out;
var i;
for ( i = 0; i < nargs; i++ ) {
args[ i ] = arguments[ i ];
}
out = foo( args );
}
TODO: ESLint rule
Recycling variables when mentioning arguments
in a function
body prevents compiler optimization.
// Do not...
function fcn( value, options ) {
var err;
if ( arguments.length < 2 ) {
options = value;
}
err = validate( options );
if ( err ) {
throw err;
}
// ...
}
// Do...
function fcn( value, options ) {
var opts;
var err;
if ( arguments.length < 2 ) {
opts = value;
} else {
opts = options;
}
err = validate( opts );
if ( err ) {
throw err;
}
// ...
}
TODO: ESLint rule
Ensures a regular expression is only created once and improves readability.
// Do not...
function beep( str ) {
if ( /\.+/.test( str ) ) {
// Do something...
}
}
beep();
// Do...
var RE = /\.+/;
function beep( str ) {
if ( RE.test( str ) ) {
// Do something...
}
}
beep();
Code review.
Regular expressions are error prone and difficult to understand without thorough examination.
/**
* Matches parts of a regular expression string.
*
* Regular expression: `/^\/((?:\\\/|[^\/])+)\/([imgy]*)$/`
*
* `/^\/`
*
* - match a string that begins with a `/`
*
* `()`
*
* - capture
*
* `(?:)+`
*
* - capture, but do not remember, a group of characters which occur one or more times
*
* `\\\/`
*
* - match the literal `\/`
*
* `|`
*
* - OR
*
* `[^\/]`
*
* - anything which is not the literal `\/`
*
* `\/`
*
* - match the literal `/`
*
* `([imgy]*)`
*
* - capture any characters matching `imgy` occurring zero or more times
*
* `$/`
*
* - string end
*
* @constant
* @type {RegExp}
* @default /^\/((?:\\\/|[^\/])+)\/([imgy]*)$/
*/
var RE = /^\/((?:\\\/|[^\/])+)\/([imgy]*)$/;
Code review.
Not using them is a common source of bugs.
// Do not...
function beep() {
if ( foo === bar ) return true;
}
// Do...
function beep() {
if ( foo === bar ) {
return true;
}
}
TODO: ESLint rule
Avoids unnecessary newline character.
// Do not...
if ( foo === bar )
{
// Do something...
}
function query()
{
// Do something...
}
// Do...
if ( foo === bar ) {
// Do something...
}
function query() {
// Do something...
}
TODO: ESLint rule
Doing so reduces code branching and indentation.
// Do not...
function foo( value ) {
var str;
if ( value === 'bar' ) {
str = 'Hello';
} else {
str = 'Goodbye';
}
return str;
}
// Do...
function foo( value ) {
if ( value === 'bar' ) {
return 'Hello';
}
return 'Goodbye';
}
Code review.
Reduces code branching and indentation.
// Do not...
for ( var i = 0; i < 10; i++ ) {
if ( i !== 5 ) {
// Do something...
}
}
// Do...
for ( var i = 0; i < 10; i++ ) {
if ( i === 5 ) {
continue;
}
// Do something...
}
Code review.
Not enforcing type equality is a source of bugs.
// Do not...
if ( foo != bar ) {
// Do something...
}
// Do...
if ( foo === bar ) {
// Do something...
}
TODO: ESLint rule
Simplifies debugging.
// Do not...
var err = new Error( '1' );
// Do...
var err = new TypeError( 'invalid argument. Window option must be a positive integer. Value: `' + value + '`.' );
Code review.
Throw and provide tailored error
messages if expected conditions are not met. Doing so facilitates debugging and eases code maintenance (see programmer errors).
// Don't...
/**
* Beep boop.
*
* @param {Function} clbk - callback
*/
function boop( clbk ) {
clbk();
}
// Do...
/**
* Beep boop.
*
* @param {Function} clbk - callback
*/
function beep( clbk ) {
if ( !arguments.length ) {
throw new Error( 'insufficient input arguments. Must provide a callback function.' );
}
clbk();
}
Code review.
For public facing APIs, dynamic type checking makes contracts explicit, facilitates testing, and helps mitigate the presence of subtle bugs.
// Do not...
function bar( opts ) {
// What happens if `opts` or `opts.ssl` are not objects???
var key = opts.ssl.key;
}
// Do...
function foo( opts ) {
if ( !isObject( opts ) ) {
throw new TypeError( 'invalid argument. Options argument must be an object. Value: `' + opts + '`.' );
}
}
-
When performing dynamic type checks, always include the invalid value in the
error
message. Doing so makes debugging and logging easier.// Do... function bop( len ) { if ( !isPositiveInteger( len ) ) { throw new TypeError( 'invalid argument. Length must be a positive integer. Value: `' + len + '`.' ); } } // Do not... function bap( len ) { if ( !isPositiveInteger( len ) ) { throw new Error( 'invalid value.' ); } }
- Unit tests
- Code review
Not crashing upon encountering an uncaughtException
leaves your application in an undefined state and can result in memory leaks.
// DO NOT...
function onError( error ) {
console.error( 'Caught exception. Err: %s', error.message );
}
process.on( 'uncaughtException', onError );
// Okay...
function onError( error ) {
console.error( 'Caught exception. Err: %s', error.message );
process.exit( 1 ); // <= THIS IS KEY!!!!
}
process.on( 'uncaughtException', onError );
Code review.
Designing asynchronous APIs in this fashion matches the convention found in Node.js core. If no error
occurs, the first parameter when invoking the callback should be null
.
// Do not...
function badAsync( clbk ) {
setTimeout( done, 1000 );
function done() {
clbk( 'beep' );
}
}
// Do...
function goodAsync( clbk ) {
setTimeout( done, 1000 );
function done() {
clbk( null, 'beep' );
}
}
Code review.
Status codes provide information as to the cause and nature of an HTTP request error.
// Do not...
response
.send( 200 )
.json({
'success': false
});
// Do...
response
.status( 502 )
.json({
'status': 502,
'message': 'unable to connect to remote database.'
});
Code review.
Fewer characters per line compared to using multiple single-line comment identifiers.
// Do not...
// Beep boop.
//
// @param {number} x - first argument
// @param {number} y - second argument
function beep( x, y ) {
// Do something...
}
// Do...
/**
* Beep boop.
*
* @param {number} x - first argument
* @param {number} y - second argument
*/
function beep( x, y ) {
// Do something...
}
Code review.
JSDoc provides structured source code documentation.
// Do not...
function transform( str ) {
return str + ' has been transformed.';
}
// Do...
/**
* String transformer.
*
* @param {string} str - string to be transformed.
* @returns {string} transformed string
*
* @example
* var out = transform( 'beep' );
* // returns 'beep has been transformed.'
*/
function transform( str ) {
return str + ' has been transformed.';
}
- Be sure to include parameters, parameter types, return types (if any), errors (if any can be thrown), and examples.
- Use Markdown syntax for extended comments.
TODO: ESLint rule
Fewer characters than using multi-line syntax for single-line comments.
// Do not...
/* Set the default value to null. */
var foo = bar || null;
// Do...
// Set the default value to null.
var foo = bar || null;
-
In general, prefer placing the comment above the comment subject and place an empty line above the comment.
// Okay for short comments (sometimes)... var foo = bar || null; // bar can be `0` // Do not... var beep = 'beep'; // Comment about `boop`... var boop = 'boop'; // Comment about `bap`... var bap = 'bap';
Code review. TODO: ESLint rule (?).
Code annotations provide search identifiers.
Use // FIXME:
to annotate problems.
function foo() {
// FIXME: misses the case where value is 0. Want to check if value is not numeric.
if ( !value ) {
return false;
}
}
Use // TODO:
to annotate tasks.
function Ctor() {
// TODO: make `name` property value publicly accessible.
this.name = 'foobar';
return this;
}
Use // HACK:
to annotate fragile/non-general solutions.
// HACK: temporary fix; host and port should be abstracted to another module handling configuration.
var host = '127.0.0.1';
var port = 7331;
Use // WARNING:
to annotate possible gotchas/pitfalls.
// WARNING: shared reference of a mutable object; possible side effects.
var a = b = {};
Use // OPTIMIZE:
to annotate code which needs optimizing.
// OPTIMIZE: use a loop rather than recursion
function factorial( x ) {
if ( x <= 1 ) {
return 1;
}
return x * factorial( x-1 );
}
Use // NOTE:
to annotate questions, comments, or anything which does not fit under TODO
, FIXME
, HACK
, WARNING
, OPTIMIZE
which should be brought to a user's attention.
// NOTE: consider optimizing this for large arrays (len > 64K).
var arr = new Array( len );
for ( var i = 0; i < len; i++ ) {
arr[ i ] = Math.random();
}
Code review.
Standard JavaScript convention for functions
, objects
, instances, and variables.
// Do not...
function testfunction() {
// Do something...
}
var MyObject = {};
var reallylongvariablename = 0;
// Do...
function testFunction() {
// Do something...
}
var myObject = {};
var myInstance = new Ctor();
TODO: ESLint rule
Standard JavaScript convention for constructors and classes.
// Do not...
function roboRobot() {
this.name = 'Boop';
return this;
}
var robo = new roboRobot();
// Do...
function RoboRobot() {
this.name = 'Beep';
return this;
}
var robo = new RoboRobot();
TODO: ESLint rule
Standard JavaScript convention when naming private properties.
// Do not...
function Robot() {
this.__private__ = true;
this.private_ = true;
return this;
}
// Do...
function Robot() {
this._private = true;
return this;
}
TODO: ESLint rule
Named functions
are easier to find in stack traces and consequently debug.
// Do not...
request({
'method': 'GET',
'uri': 'http://127.0.0.1'
}, function ( error, response, body ) {
if ( error ) {
throw error;
}
// Do something...
});
// Do...
function onResponse( error, response, body ) {
if ( error ) {
throw error;
}
// Do something...
}
request({
'method': 'GET',
'uri': 'http://127.0.0.1'
}, onResponse );
// Do not...
var arr = [ 1, 2, 3 ];
var out = arr.map( x => x * x );
// Do...
function square( x ) {
return x * x;
}
var arr = [ 1, 2, 3 ];
var out = arr.map( square );
TODO: ESLint rule
Standard JavaScript convention when naming constants. Using all capital letters provides a visual identifier as to a variable's nature when reading source code.
// Do not...
var value = 3.14;
// Do...
var VALUE = 3.14;
// Do not...
const value = 3.14;
// Do...
const VALUE = 3.14;
Code review.
Common JavaScript convention when caching a reference to this
.
// Do...
function Robot( name ) {
var self = this;
if ( !(this instanceof Robot) ) {
return new Robot( name );
}
this.name = name;
this.greet = greet;
return this;
function greet() {
return 'Hello! My name is ' + self.name + '.';
}
}
TODO: ESLint rule (?)
The use of bind
incurs a significant performance penalty (TODO: ref). Appropriate use of closures can accomplish the same result without performance penalties.
// Do not...
function greet() {
return this.name;
}
function Robot() {
var fcn;
if ( !(this instanceof Robot) ) {
return new Robot();
}
this.name = 'Beep';
this.greet = greet.bind( this );
return this;
}
// Do...
function greeting( ctx ) {
return greet;
function greet() {
return 'Hello! My name is ' + ctx.name + '.';
}
}
function Robot() {
if ( !(this instanceof Robot) ) {
return new Robot();
}
this.name = 'Beep';
this.greet = greeting( this );
return this;
}
Code review.
Allows class consumers to alias the class constructor.
// Do not...
function Robot() {
return this;
}
// Alias:
var createRobot = Robot;
var robo = createRobot(); // => fails
// Do...
function Robot() {
if ( !(this instanceof Robot) ) {
return new Robot();
}
return this;
}
// Alias:
var createRobot = Robot;
var robo = createRobot();
- Unit tests
- Code review
Simplifies a class interface.
// Do not...
Robot.prototype.setName = function set( name ) {
if ( typeof name !== 'string' ) {
throw new Error( 'invalid input value. Name must be a string. Value: `' + name + '`.' );
}
this._name = name;
return this;
};
Robot.prototype.getName = function get() {
return this._name;
};
// Do...
Robot.prototype.name = function robotName( name ) {
if ( !arguments.length ) {
return this._name;
}
if ( typeof name !== 'string' ) {
throw new Error( 'invalid input value. Name must be a string. Value: `' + name + '`.' );
}
this._name = name;
return this;
};
Code review.
While checks do incur computational cost, not providing such checks can entail a considerable drain on a developer's time. Subtle bugs can arise from using unexpected types. Be explicit in what you expect and write tests confirming your expectations. Your stringency helps other developers debug their own code.
// Do not...
Stream.prototype.window = function streamWindow( win ) {
if ( !arguments.length ) {
return this._window;
}
this._window = win;
return this;
};
// Do...
Stream.prototype.window = function streamWindow( win ) {
if ( !arguments.length ) {
return this._window;
}
if ( typeof win !== 'number' || win !== win ) {
throw new Error( 'invalid argument. Window size must be numeric. Value: `' + win + '`.' );
}
if ( Math.floor( win ) !== win || win <= 0 ) {
throw new Error( 'invalid argument. Window size must be a positive integer. Value: `' + win + '`.' );
}
this._window = win;
return this;
};
Code review.
Returning this
enables method chaining and creates a fluent interface. Such interfaces provide a terse syntax for describing flow.
function Robot() {
if ( !(this instanceof Robot) ) {
return new Robot();
}
this._name = '';
this._color = 'black';
return this;
}
Robot.prototype.name = function robotName( name ) {
if ( !arguments.length ) {
return this._name;
}
if ( typeof name !== 'string' ) {
throw new Error( 'invalid input value.' );
}
this._name = name;
return this;
};
Robot.prototype.color = function robotColor( color ) {
if ( !arguments.length ) {
return this._color;
}
if ( typeof color !== 'string' ) {
throw new Error( 'invalid input value.' );
}
this._color = color;
return this;
};
var robo = new Robot();
robo.name( 'Robo' )
.color( 'pink' );
Code review.
Code is read more often than it is written. Prefer too much documentation to too little.
// Do not...
/**
* Calculates auto-correlation.
*/
function autocorr( vector ) {
// Calculate...
}
// Do...
/**
* Calculate the auto-correlation of an input vector. To calculate the auto-correlation using an FFT, the data is padded to have length 2^n, where `n` is the next power of 2 greater than the vector length. For more details, consult [link][link].
*
* [link]: http://example.com
*
* @param {number[]} vector - 1d array
* @returns {number} auto-correlation
*
* @example
* var arr = [ 1, 6, 5, 4, 7, 2, 3, 1 ];
* var v = autocorr( arr );
*/
function autocorr( vector ) {
// Calculate...
}
- For client-side JavaScript, if you are concerned about file size, build/include a distributable file, stripped of comments and minified. Keep source code annotated.
- Always include example/demo code that is easily runnable.
- Do not claim that your code is self-documenting. Your code is not. Period.
- Do not rely on tests as your sole source of documentation. While tests are documentation, annotating your source provides greater insight and a means to explain why you made particular design choices.
- Always make your documentation beautiful. Take as much pride in your documentation as you do in your code.
Code review.
Performance optimization, particularly of the premature variety, often comes with the cost of obscuring implementation details and the presence of more bugs.
// Do not...
var y = ( x >> 0 );
// Avoid using a bitshift unless you really need to. Possible subtle bug in the above is that `x` is converted to a signed 32-bit integer.
// Do...
var y = Math.floor( x );
- Take JSPerf tests with a grain of salt, as results can vary significantly from browser to browser and across browser versions.
Code review.
Testing, debugging, maintainability, composition, focused interfaces, and interchangeability.
- Every file within a Node module should be less than
200
lines of code. The only exceptions are tests files, which are generally 2-3x the length of the files they test. If a file is longer than200
lines, the code is undoubtedly too complex, not maintainable, hard to test, and needs to be refactored into smaller sub-modules. Ideally, an individual file should never be longer than80
lines. - Prefer only 1
function
per file. A file which contains fewer functions is easier to test, read, and maintain. This is particularly true for Node modules. - Always bear in mind the single responsibility principle.
- Always strive for reusability.
- Look for parts of an implementation which can be extracted into reusable components.
- Code review
Relying on monolithic libraries, such as jQuery, for DOM manipulation leads to code bloat. Often the functionality provided by such libraries can be accomplished using either native JavaScript equivalents or a small, focused library.
// Do not...
var el = jQuery( '#main' );
// Do...
var el = document.querySelector( '#main' );
Code review.
Prevents variable leakage.
// Do...
(function foo() {
'use strict';
var beep = 'boop';
// ...
})();
Code review.
Helps minimize global variable name collisions.
// Do not...
window.start = function start() {
// Do something...
};
window.name = 'App';
// Do...
var myApp = {};
myApp.name = 'App';
myApp.start = function start() {
// Do something...
};
window.myApp = myApp;
Code review.
Often, more focused modules are available which can accomplish the same task. In general, be explicit in what you require.
-
In particular, avoid the following libraries:
- underscore
- lodash
- async
Code review.
Any dependency you use becomes your responsibility. Demand the same level of robustness and correctness in your dependencies as you do in your code.
-
While GitHub stars and downloads are rough indicators, place more emphasis on the following:
-
Code quality
- conciseness
- maintainability
-
Documentation
- APIs
- examples
-
Test cases
-
-
For most cases, do not place much weight on how recently the module was updated. Small, focused, well-written modules should not require much updating.
Code review.
- Airbnb JavaScript Style Guide
- Idiomatic.js
- Popular Convention
- JavaScript Quality Guide
- Unix Philosophy
This document may be reused under a Creative Commons Attribution-ShareAlike License.