Convert Figma logo to code with AI

bevacqua logojs

:art: A JavaScript Quality Guide

2,923
496
2,923
17

Top Related Projects

144,559

JavaScript Style Guide

:bathtub: Clean Code concepts adapted for JavaScript

A book series on JavaScript. @YDKJS on twitter.

📝 Algorithms and data structures implemented in JavaScript with explanations and links to further readings

Short code snippets for all your development needs

⚡️ Front End interview preparation materials for busy engineers

Quick Overview

The bevacqua/js repository is a comprehensive JavaScript style guide and set of coding rules. It aims to provide developers with a consistent and maintainable approach to writing JavaScript code, covering various aspects of the language and best practices.

Pros

  • Extensive coverage of JavaScript coding practices and style conventions
  • Well-organized and easy to navigate
  • Regularly updated to reflect modern JavaScript features and best practices
  • Includes explanations and rationale for each rule, promoting understanding

Cons

  • May be overwhelming for beginners due to the large number of rules
  • Some rules might be opinionated and not universally agreed upon
  • Lacks automated tooling or linter configuration files for easy implementation
  • May require significant effort to fully adopt in existing projects

Code Examples

This repository is not a code library but a style guide, so code examples are not applicable in the traditional sense. However, here are a few examples of the style recommendations:

// Correct variable declaration
const foo = 'bar';
let baz = 'qux';

// Incorrect
var quux = 'corge';
// Correct function declaration
function greet(name) {
  return `Hello, ${name}!`;
}

// Incorrect
const greet = function(name) {
  return 'Hello, ' + name + '!';
};
// Correct object literal syntax
const obj = {
  foo: 'bar',
  method() {
    // method body
  },
};

// Incorrect
const obj = {
  'foo': 'bar',
  method: function() {
    // method body
  },
};

Getting Started

As this is a style guide and not a code library, there's no traditional "getting started" process. However, to begin using this style guide in your projects:

  1. Read through the guide on the GitHub repository.
  2. Consider implementing the rules gradually in your codebase.
  3. Use tools like ESLint to enforce some of the rules automatically.
  4. Share the guide with your team and discuss which rules to adopt.
  5. Create a custom style guide for your project based on these recommendations.

Competitor Comparisons

144,559

JavaScript Style Guide

Pros of javascript

  • More comprehensive and detailed style guide
  • Actively maintained with frequent updates
  • Widely adopted in the industry, making it a de facto standard

Cons of javascript

  • Can be overwhelming for beginners due to its extensive rules
  • Some rules may be opinionated and not universally agreed upon

Code Comparison

js:

function foo (bar) {
  return bar
}

javascript:

function foo(bar) {
  return bar;
}

The main differences in this example are:

  • Spacing around the function parameter parentheses
  • Use of semicolons at the end of statements

Both repositories aim to provide JavaScript style guides, but javascript is more comprehensive and widely adopted. js offers a simpler, more concise set of guidelines that may be easier for beginners to follow. However, javascript's extensive ruleset and industry adoption make it a more robust choice for larger teams and projects. The code comparison shows subtle differences in formatting, which reflect the slightly different approaches of each style guide.

:bathtub: Clean Code concepts adapted for JavaScript

Pros of clean-code-javascript

  • More comprehensive coverage of clean code principles
  • Includes practical examples for each concept
  • Regularly updated with community contributions

Cons of clean-code-javascript

  • Longer and more detailed, which may be overwhelming for beginners
  • Focuses primarily on clean code practices, less on general JavaScript guidelines

Code Comparison

clean-code-javascript:

// Good
function createMicrobrewery(name = 'Hipster Brew Co.') {
  // ...
}

js:

// Good
function createMicrobrewery (name) {
  var breweryName = name || 'Hipster Brew Co.'
  // ...
}

Summary

clean-code-javascript offers a more in-depth exploration of clean coding practices in JavaScript, with numerous examples and community-driven updates. It's ideal for developers looking to improve their code quality and maintainability. However, its extensive content may be overwhelming for beginners.

js provides a more concise set of JavaScript guidelines, covering various aspects of the language beyond just clean code principles. It's more suitable for quick reference and general best practices but may lack the depth of clean-code-javascript in specific areas.

Both repositories offer valuable insights, with clean-code-javascript focusing more on code quality and js providing a broader overview of JavaScript practices.

A book series on JavaScript. @YDKJS on twitter.

Pros of You-Dont-Know-JS

  • Comprehensive and in-depth coverage of JavaScript concepts
  • Regularly updated with new content and revisions
  • Free and open-source, accessible to all learners

Cons of You-Dont-Know-JS

  • Can be overwhelming for beginners due to its depth
  • Lacks practical examples and exercises for hands-on learning

Code Comparison

You-Dont-Know-JS:

function foo() {
    console.log( this.a );
}

var obj = {
    a: 2,
    foo: foo
};

obj.foo(); // 2

js:

const obj = {
  method() {
    return this;
  }
};

console.log(obj.method() === obj); // true

The You-Dont-Know-JS example demonstrates a more complex scenario involving this binding, while the js example shows a simpler use case of the this keyword.

You-Dont-Know-JS provides detailed explanations of JavaScript's intricacies, making it ideal for developers seeking a deep understanding of the language. However, its thoroughness may be intimidating for newcomers. In contrast, js offers a more concise approach, which can be beneficial for quick reference but may lack the comprehensive explanations found in You-Dont-Know-JS.

📝 Algorithms and data structures implemented in JavaScript with explanations and links to further readings

Pros of javascript-algorithms

  • Extensive collection of algorithms and data structures implementations
  • Well-organized with detailed explanations and comments
  • Includes Big O complexity analysis for each algorithm

Cons of javascript-algorithms

  • Focuses primarily on algorithms, less on general JavaScript best practices
  • May be overwhelming for beginners due to its comprehensive nature
  • Less emphasis on practical, everyday JavaScript usage

Code Comparison

javascript-algorithms:

function bubbleSort(arr) {
  for (let i = 0; i < arr.length; i++) {
    for (let j = 0; j < arr.length - 1; j++) {
      if (arr[j] > arr[j + 1]) {
        [arr[j], arr[j + 1]] = [arr[j + 1], arr[j]];
      }
    }
  }
  return arr;
}

js:

function debounce(fn, wait) {
  let timeout;
  return function() {
    clearTimeout(timeout);
    timeout = setTimeout(() => fn.apply(this, arguments), wait);
  };
}

The code examples highlight the different focus areas of each repository. javascript-algorithms provides implementations of classic algorithms like bubble sort, while js offers practical utility functions such as debounce for everyday JavaScript development.

Short code snippets for all your development needs

Pros of 30-seconds-of-code

  • Offers a wide variety of short, practical JavaScript snippets
  • Regularly updated with new content and improvements
  • Well-organized with clear categories and search functionality

Cons of 30-seconds-of-code

  • May lack in-depth explanations for more complex concepts
  • Focuses on snippets rather than comprehensive language coverage
  • Some snippets might be too simplified for advanced use cases

Code Comparison

30-seconds-of-code snippet:

const deepClone = obj => {
  if (obj === null) return null;
  let clone = Object.assign({}, obj);
  Object.keys(clone).forEach(
    key => (clone[key] = typeof obj[key] === 'object' ? deepClone(obj[key]) : obj[key])
  );
  return Array.isArray(obj) ? (clone.length = obj.length) && Array.from(clone) : clone;
};

js snippet (hypothetical, as js doesn't have direct code snippets):

function deepClone(obj) {
  return JSON.parse(JSON.stringify(obj));
}

The 30-seconds-of-code snippet provides a more robust deep cloning solution, while the js approach (if it existed) might focus on simplicity at the cost of some edge cases.

⚡️ Front End interview preparation materials for busy engineers

Pros of front-end-interview-handbook

  • More comprehensive coverage of front-end topics, including HTML, CSS, and JavaScript
  • Regularly updated with new content and interview questions
  • Includes practical examples and explanations for common interview scenarios

Cons of front-end-interview-handbook

  • Focuses primarily on interview preparation rather than in-depth JavaScript concepts
  • May not cover advanced JavaScript topics as thoroughly as js

Code Comparison

front-end-interview-handbook:

// Example of event delegation
document.getElementById('parent-list').addEventListener('click', function(e) {
  if(e.target && e.target.nodeName == 'LI') {
    console.log('List item ', e.target.id, ' was clicked!');
  }
});

js:

// Example of function composition
const compose = (...fns) => x => fns.reduceRight((v, f) => f(v), x);
const add1 = x => x + 1;
const double = x => x * 2;
const add1ThenDouble = compose(double, add1);
console.log(add1ThenDouble(2)); // 6

The code examples highlight the different focus areas of each repository. front-end-interview-handbook provides practical examples for common front-end scenarios, while js delves into more advanced JavaScript concepts and functional programming techniques.

Convert Figma logo designs to code with AI

Visual Copilot

Introducing Visual Copilot: A new AI model to turn Figma designs to high quality code using your components.

Try Visual Copilot

README

function qualityGuide () {

A quality conscious and organic JavaScript quality guide

This style guide aims to provide the ground rules for an application's JavaScript code, such that it's highly readable and consistent across different developers on a team. The focus is put on quality and coherence across the different pieces of your application.

Goal

These suggestions aren't set in stone, they aim to provide a baseline you can use in order to write more consistent codebases. To maximize effectiveness, share the styleguide among your co-workers and attempt to enforce it. Don't become obsessed about code style, as it'd be fruitless and counterproductive. Try and find the sweet spot that makes everyone in the team comfortable developing for your codebase, while not feeling frustrated that their code always fails automated style checking because they added a single space where they weren't supposed to. It's a thin line, but since it's a very personal line I'll leave it to you to do the drawing.

Use together with bevacqua/css for great good!

Feel free to fork this style guide, or better yet, send Pull Requests this way!

Table of Contents

  1. Modules
  2. Strict Mode
  3. Spacing
  4. Semicolons
  5. Style Checking
  6. Linting
  7. Strings
  8. Variable Declaration
  9. Conditionals
  10. Equality
  11. Ternary Operators
  12. Functions
  13. Prototypes
  14. Object Literals
  15. Array Literals
  16. Regular Expressions
  17. console Statements
  18. Comments
  19. Variable Naming
  20. Polyfills
  21. Everyday Tricks
  22. License

Modules

This style guide assumes you're using a module system such as CommonJS, AMD, ES6 Modules, or any other kind of module system. Modules systems provide individual scoping, avoid leaks to the global object, and improve code base organization by automating dependency graph generation, instead of having to resort to manually creating multiple <script> tags.

Module systems also provide us with dependency injection patterns, which are crucial when it comes to testing individual components in isolation.

Strict Mode

Always put 'use strict'; at the top of your modules. Strict mode allows you to catch nonsensical behavior, discourages poor practices, and is faster because it allows compilers to make certain assumptions about your code.

Spacing

Spacing must be consistent across every file in the application. To this end, using something like .editorconfig configuration files is highly encouraged. Here are the defaults I suggest to get started with JavaScript indentation.

# editorconfig.org
root = true

[*]
indent_style = space
indent_size = 2
end_of_line = lf
charset = utf-8
trim_trailing_whitespace = true
insert_final_newline = true

[*.md]
trim_trailing_whitespace = false

Settling for either tabs or spaces is up to the particularities of a project, but I recommend using 2 spaces for indentation. The .editorconfig file can take care of that for us and everyone would be able to create the correct spacing by pressing the tab key.

Spacing doesn't just entail tabbing, but also the spaces before, after, and in between arguments of a function declaration. This kind of spacing is typically highly irrelevant to get right, and it'll be hard for most teams to even arrive at a scheme that will satisfy everyone.

function () {}
function( a, b ){}
function(a, b) {}
function (a,b) {}

Try to keep these differences to a minimum, but don't put much thought to it either.

Where possible, improve readability by keeping lines below the 80-character mark.

Semicolons;

The majority of JavaScript programmers prefer using semicolons. This choice is done to avoid potential issues with Automatic Semicolon Insertion (ASI). If you decide against using semicolons, make sure you understand the ASI rules.

Regardless of your choice, a linter should be used to catch unnecessary or unintentional semicolons.

Style Checking

Don't. Seriously, this is super painful for everyone involved, and no observable gain is attained from enforcing such harsh policies.

Linting

On the other hand, linting is sometimes necessary. Again, don't use a linter that's super opinionated about how the code should be styled, like jslint is. Instead use something more lenient, like jshint or eslint.

A few tips when using JSHint.

  • Declare a .jshintignore file and include node_modules, bower_components, and the like
  • You can use a .jshintrc file like the one below to keep your rules together
{
  "curly": true,
  "eqeqeq": true,
  "newcap": true,
  "noarg": true,
  "noempty": true,
  "nonew": true,
  "sub": true,
  "undef": true,
  "unused": true,
  "trailing": true,
  "boss": true,
  "eqnull": true,
  "strict": true,
  "immed": true,
  "expr": true,
  "latedef": "nofunc",
  "quotmark": "single",
  "indent": 2,
  "node": true
}

By no means are these rules the ones you should stick to, but it's important to find the sweet spot between not linting at all and not being super obnoxious about coding style.

Strings

Strings should always be quoted using the same quotation mark. Use ' or " consistently throughout your codebase. Ensure the team is using the same quotation mark in every portion of JavaScript that's authored.

Bad
var message = 'oh hai ' + name + "!";
Good
var message = 'oh hai ' + name + '!';

Usually you'll be a happier JavaScript developer if you hack together a parameter-replacing method like util.format in Node. That way it'll be far easier to format your strings, and the code looks a lot cleaner too.

Better
var message = util.format('oh hai %s!', name);

You could implement something similar using the piece of code below.

function format () {
  var args = [].slice.call(arguments);
  var initial = args.shift();

  function replacer (text, replacement) {
    return text.replace('%s', replacement);
  }
  return args.reduce(replacer, initial);
}

To declare multi-line strings, particularly when talking about HTML snippets, it's sometimes best to use an array as a buffer and then join its parts. The string concatenating style may be faster but it's also much harder to keep track of.

var html = [
  '<div>',
    format('<span class="monster">%s</span>', name),
  '</div>'
].join('');

With the array builder style, you can also push parts of the snippet and then join everything together at the end. This is in fact what some string templating engines like Jade prefer to do.

Variable Declaration

Always declare variables in a consistent manner, and at the top of their scope. Keeping variable declarations to one per line is encouraged. Comma-first, a single var statement, multiple var statements, it's all fine, just be consistent across the project, and ensure the team is on the same page.

Bad
var foo = 1,
    bar = 2;

var baz;
var pony;

var a
  , b;
var foo = 1;

if (foo > 1) {
  var bar = 2;
}
Good

Just because they're consistent with each other, not because of the style

var foo = 1;
var bar = 2;

var baz;
var pony;

var a;
var b;
var foo = 1;
var bar;

if (foo > 1) {
  bar = 2;
}

Variable declarations that aren't immediately assigned a value are acceptable to share the same line of code.

Acceptable
var a = 'a';
var b = 2;
var i, j;

Conditionals

Brackets are enforced. This, together with a reasonable spacing strategy will help you avoid mistakes such as Apple's SSL/TLS bug.

Bad
if (err) throw err;
Good
if (err) { throw err; }

It's even better if you avoid keeping conditionals on a single line, for the sake of text comprehension.

Better
if (err) {
  throw err;
}

Equality

Avoid using == and != operators, always favor === and !==. These operators are called the "strict equality operators," while their counterparts will attempt to cast the operands into the same value type.

Bad
function isEmptyString (text) {
  return text == '';
}

isEmptyString(0);
// <- true
Good
function isEmptyString (text) {
  return text === '';
}

isEmptyString(0);
// <- false

Ternary Operators

Ternary operators are fine for clear-cut conditionals, but unacceptable for confusing choices. As a rule, if you can't eye-parse it as fast as your brain can interpret the text that declares the ternary operator, chances are it's probably too complicated for its own good.

jQuery is a prime example of a codebase that's filled with nasty ternary operators.

Bad
function calculate (a, b) {
  return a && b ? 11 : a ? 10 : b ? 1 : 0;
}
Good
function getName (mobile) {
  return mobile ? mobile.name : 'Generic Player';
}

In cases that may prove confusing just use if and else statements instead.

Functions

When declaring a function, always use the function declaration form instead of function expressions. Because hoisting.

Bad
var sum = function (x, y) {
  return x + y;
};
Good
function sum (x, y) {
  return x + y;
}

That being said, there's nothing wrong with function expressions that are just currying another function.

Good
var plusThree = sum.bind(null, 3);

Keep in mind that function declarations will be hoisted to the top of the scope so it doesn't matter the order they are declared in. That being said, you should always keep functions at the top level in a scope, and avoid placing them inside conditional statements.

Bad
if (Math.random() > 0.5) {
  sum(1, 3);

  function sum (x, y) {
    return x + y;
  }
}

Good
if (Math.random() > 0.5) {
  sum(1, 3);
}

function sum (x, y) {
  return x + y;
}
function sum (x, y) {
  return x + y;
}

if (Math.random() > 0.5) {
  sum(1, 3);
}

If you need a "no-op" method you can use either Function.prototype, or function noop () {}. Ideally a single reference to noop is used throughout the application.

Whenever you have to manipulate an array-like object, cast it to an array.

Bad
var divs = document.querySelectorAll('div');

for (i = 0; i < divs.length; i++) {
  console.log(divs[i].innerHTML);
}
Good
var divs = document.querySelectorAll('div');

[].slice.call(divs).forEach(function (div) {
  console.log(div.innerHTML);
});

However, be aware that there is a substantial performance hit in V8 environments when using this approach on arguments. If performance is a major concern, avoid casting arguments with slice and instead use a for loop.

Bad

var args = [].slice.call(arguments);

Good

var i;
var args = new Array(arguments.length);
for (i = 0; i < args.length; i++) {
    args[i] = arguments[i];
}

Don't declare functions inside of loops.

Bad
var values = [1, 2, 3];
var i;

for (i = 0; i < values.length; i++) {
  setTimeout(function () {
    console.log(values[i]);
  }, 1000 * i);
}
var values = [1, 2, 3];
var i;

for (i = 0; i < values.length; i++) {
  setTimeout(function (i) {
    return function () {
      console.log(values[i]);
    };
  }(i), 1000 * i);
}
Good
var values = [1, 2, 3];
var i;

for (i = 0; i < values.length; i++) {
  setTimeout(function (i) {
    console.log(values[i]);
  }, 1000 * i, i);
}
var values = [1, 2, 3];
var i;

for (i = 0; i < values.length; i++) {
  wait(i);
}

function wait (i) {
  setTimeout(function () {
    console.log(values[i]);
  }, 1000 * i);
}

Or even better, just use .forEach which doesn't have the same caveats as declaring functions in for loops.

Better
[1, 2, 3].forEach(function (value, i) {
  setTimeout(function () {
    console.log(value);
  }, 1000 * i);
});

Whenever a method is non-trivial, make the effort to use a named function declaration rather than an anonymous function. This will make it easier to pinpoint the root cause of an exception when analyzing stack traces.

Bad
function once (fn) {
  var ran = false;
  return function () {
    if (ran) { return };
    ran = true;
    fn.apply(this, arguments);
  };
}
Good
function once (fn) {
  var ran = false;
  return function run () {
    if (ran) { return };
    ran = true;
    fn.apply(this, arguments);
  };
}

Avoid keeping indentation levels from raising more than necessary by using guard clauses instead of flowing if statements.

Bad
if (car) {
  if (black) {
    if (turbine) {
      return 'batman!';
    }
  }
}
if (condition) {
  // 10+ lines of code
}
Good
if (!car) {
  return;
}
if (!black) {
  return;
}
if (!turbine) {
  return;
}
return 'batman!';
if (!condition) {
  return;
}
// 10+ lines of code

Prototypes

Hacking native prototypes should be avoided at all costs, use a method instead. If you must extend the functionality in a native type, try using something like poser instead.

Bad
String.prototype.half = function () {
  return this.substr(0, this.length / 2);
};
Good
function half (text) {
  return text.substr(0, text.length / 2);
}

Avoid prototypical inheritance models unless you have a very good performance reason to justify yourself.

  • Prototypical inheritance boosts puts need for this through the roof
  • It's way more verbose than using plain objects
  • It causes headaches when creating new objects
  • Needs a closure to hide valuable private state of instances
  • Just use plain objects instead

Object Literals

Instantiate using the egyptian notation {}. Use factories instead of constructors, here's a proposed pattern for you to implement objects in general.

function util (options) {
  // private methods and state go here
  var foo;

  function add () {
    return foo++;
  }

  function reset () { // note that this method isn't publicly exposed
    foo = options.start || 0;
  }

  reset();

  return {
    // public interface methods go here
    uuid: add
  };
}

Array Literals

Instantiate using the square bracketed notation []. If you have to declare a fixed-dimension array for performance reasons then it's fine to use the new Array(length) notation instead.

It's about time you master array manipulation! Learn about the basics. It's way easier than you might think.

Learn and abuse the functional collection manipulation methods. These are so worth the trouble.

Regular Expressions

Keep regular expressions in variables, don't use them inline. This will vastly improve readability.

Bad
if (/\d+/.test(text)) {
  console.log('so many numbers!');
}
Good
var numeric = /\d+/;
if (numeric.test(text)) {
  console.log('so many numbers!');
}

Also learn how to write regular expressions, and what they actually do. Then you can also visualize them online.

console statements

Preferably bake console statements into a service that can easily be disabled in production. Alternatively, don't ship any console.log printing statements to production distributions.

Comments

Comments aren't meant to explain what the code does. Good code is supposed to be self-explanatory. If you're thinking of writing a comment to explain what a piece of code does, chances are you need to change the code itself. The exception to that rule is explaining what a regular expression does. Good comments are supposed to explain why code does something that may not seem to have a clear-cut purpose.

Bad
// create the centered container
var p = $('<p/>');
p.center(div);
p.text('foo');
Good
var container = $('<p/>');
var contents = 'foo';
container.center(parent);
container.text(contents);
megaphone.on('data', function (value) {
  container.text(value); // the megaphone periodically emits updates for container
});
var numeric = /\d+/; // one or more digits somewhere in the string
if (numeric.test(text)) {
  console.log('so many numbers!');
}

Commenting out entire blocks of code should be avoided entirely, that's why you have version control systems in place!

Variable Naming

Variables must have meaningful names so that you don't have to resort to commenting what a piece of functionality does. Instead, try to be expressive while succinct, and use meaningful variable names.

Bad
function a (x, y, z) {
  return z * y / x;
}
a(4, 2, 6);
// <- 3
Good
function ruleOfThree (had, got, have) {
  return have * got / had;
}
ruleOfThree(4, 2, 6);
// <- 3

Polyfills

Where possible use the native browser implementation and include a polyfill that provides that behavior for unsupported browsers. This makes the code easier to work with and less involved in hackery to make things just work.

If you can't patch a piece of functionality with a polyfill, then wrap all uses of the patching code in a globally available method that is accessible from everywhere in the application.

Everyday Tricks

Use || to define a default value. If the left-hand value is falsy then the right-hand value will be used. Be advised, that because of loose type comparison, inputs like false, 0, null or '' will be evaluated as falsy, and converted to default value. For strict type checking use if (value === void 0) { value = defaultValue }.

function a (value) {
  var defaultValue = 33;
  var used = value || defaultValue;
}

Use .bind to partially-apply functions.

function sum (a, b) {
  return a + b;
}

var addSeven = sum.bind(null, 7);

addSeven(6);
// <- 13

Use Array.prototype.slice.call to cast array-like objects to true arrays.

var args = Array.prototype.slice.call(arguments);

Use event emitters on all the things!

var emitter = contra.emitter();

body.addEventListener('click', function () {
  emitter.emit('click', e.target);
});

emitter.on('click', function (elem) {
  console.log(elem);
});

// simulate click
emitter.emit('click', document.body);

Use Function() as a "no-op".

function (cb) {
  setTimeout(cb || Function(), 2000);
}

License

MIT

Fork away!

}

NPM DownloadsLast 30 Days