Uma boa abordagem para JavaScript
- Tipos
- Objetos
- Arrays
- Strings
- Funções
- Propriedades
- Variáveis
- Hoisting
- Expressões Condicionais & Comparações
- Blocos
- Comentários
- Espaços em branco
- Vírgulas
- Ponto e vírgulas
- Casting & Coerção de Tipos
- Convenções de nomenclatura
- Métodos Acessores
- Construtores
- Eventos
- Módulos
- jQuery
- Compatibilidade ECMAScript 5
- Testes
- Performance
- Recursos
- Empresas utilizando
- Traduções
- The JavaScript Style Guide Guide
- Converse conosco sobre Javascript
- Contribuidores
- Licença
-
Primitivos: Quando você acessa um tipo primitivo você lida diretamente com seu valor.
string
number
boolean
null
undefined
var foo = 1; var bar = foo; bar = 9; console.log(foo, bar); // => 1, 9
-
Complexos: Quando você acessa um tipo complexo você lida com a referência para seu valor.
object
array
function
var foo = [1, 2]; var bar = foo; bar[0] = 9; console.log(foo[0], bar[0]); // => 9, 9
-
Use a sintaxe literal para criação de objetos.
// ruim var item = new Object(); // bom var item = {};
-
Não use palavras reservadas como chaves. Não irão funcionar no IE8. Leia mais.
// ruim var superman = { default: { clark: 'kent' }, private: true }; // bom var superman = { defaults: { clark: 'kent' }, hidden: true };
-
Use sinônimos legíveis no lugar de palavras reservadas.
// ruim var superman = { class: 'alien' }; // ruim var superman = { klass: 'alien' }; // bom var superman = { type: 'alien' };
-
Use a sintaxe literal para a criação de Arrays.
// ruim var items = new Array(); // bom var items = [];
-
Use Array#push ao inves de atribuir um item diretamente ao array.
var someStack = []; // ruim someStack[someStack.length] = 'abracadabra'; // bom someStack.push('abracadabra');
-
Quando precisar copiar um Array utilize Array#slice. jsPerf
var len = items.length; var itemsCopy = []; var i; // ruim for (i = 0; i < len; i++) { itemsCopy[i] = items[i]; } // bom itemsCopy = items.slice();
-
Para converter um objeto similar a um array para array, utilize Array#slice.
function trigger() { var args = Array.prototype.slice.call(arguments); ... }
-
Use aspas simples
''
para strings// ruim var name = "Bob Parr"; // bom var name = 'Bob Parr'; // ruim var fullName = "Bob " + this.lastName; // bom var fullName = 'Bob ' + this.lastName;
-
Strings maiores que 80 caracteres devem ser escritas em múltiplas linhas e usar concatenação.
-
Nota: Se muito usado, strings longas com concatenação podem impactar na performance. jsPerf & Discussion
// ruim var errorMessage = 'This is a super long error that was thrown because of Batman. When you stop to think about how Batman had anything to do with this, you would get nowhere fast.'; // ruim var errorMessage = 'This is a super long error that was thrown because \ of Batman. When you stop to think about how Batman had anything to do \ with this, you would get nowhere \ fast.'; // bom var errorMessage = 'This is a super long error that was thrown because ' + 'of Batman. When you stop to think about how Batman had anything to do ' + 'with this, you would get nowhere fast.';
-
Quando for construir uma string programaticamente, use Array#join ao invés de concatenação de strings. Principalmente para o IE: jsPerf.
var items; var messages; var length; var i; messages = [{ state: 'success', message: 'This one worked.' }, { state: 'success', message: 'This one worked as well.' }, { state: 'error', message: 'This one did not work.' }]; length = messages.length; // ruim function inbox(messages) { items = '<ul>'; for (i = 0; i < length; i++) { items += '<li>' + messages[i].message + '</li>'; } return items + '</ul>'; } // bom function inbox(messages) { items = []; for (i = 0; i < length; i++) { items[i] = '<li>' + messages[i].message + '</li>'; } return '<ul>' + items.join('') + '</ul>'; }
-
Declarando Funções:
// definindo uma função anônima var anonymous = function() { return true; }; // definindo uma função nomeada var named = function named() { return true; }; // função imediatamente invocada (IIFE) (function() { console.log('Welcome to the Internet. Please follow me.'); })();
-
Nunca declare uma função em um escopo que não seja de uma função (if, while, etc). Ao invés, atribua a função para uma variavel. Os Browsers irão deixar você fazer isso, mas a interpretação disso não é legal. Fazendo isso você pode ter más notícias a qualquer momento.
-
Nota: A ECMA-262 define um
bloco
como uma lista de instruções. A declaração de uma função não é uma instrução. Leia em ECMA-262's.// ruim if (currentUser) { function test() { console.log('Nope.'); } } // bom if (currentUser) { var test = function test() { console.log('Yup.'); }; }
-
Nunca nomeie um parâmetro como
arguments
. Isso sobrescrevá o objetoarguments
que é passado para cada função.// ruim function nope(name, options, arguments) { // ...outras implementações... } // bom function yup(name, options, args) { // ...outras implementações... }
-
Use ponto
.
para acessar propriedades.var luke = { jedi: true, age: 28 }; // ruim var isJedi = luke['jedi']; // bom var isJedi = luke.jedi;
-
Use colchetes
[]
para acessar propriedades através de uma variável.var luke = { jedi: true, age: 28 }; function getProp(prop) { return luke[prop]; } var isJedi = getProp('jedi');
-
Sempre use
var
para declarar variáveis. Não fazer isso irá resultar em variáveis globais. Devemos evitar poluir o namespace global. O Capitão Planeta já nos alertou disso.// ruim superPower = new SuperPower(); // bom var superPower = new SuperPower();
-
Use somente uma declaração
var
para múltiplas variáveis e declares cada variável em uma nova linha.// ruim var items = getItems(); var goSportsTeam = true; var dragonball = 'z'; // bom var items = getItems(), goSportsTeam = true, dragonball = 'z';
-
Declare as variáveis que você não vai estipular valor por último. É útil no futuro, quando você precisar atribuir valor para ela dependendo do valor da variável já declarada.
// ruim var i, len, dragonball, items = getItems(), goSportsTeam = true; // ruim var i, items = getItems(), dragonball, goSportsTeam = true, len; // bom var items = getItems(), goSportsTeam = true, dragonball, length, i;
-
Defina variáveis no topo do escopo onde ela se encontra. Isso ajuda a evitar problemas com declaração de variáveis e hoisting.
// ruim function() { test(); console.log('fazendo qualquer coisa..'); //..outras implementações.. var name = getName(); if (name === 'test') { return false; } return name; } // bom function() { var name = getName(); test(); console.log('fazendo alguma coisa..'); //...outras implmementações... if (name === 'test') { return false; } return name; } // ruim function() { var name = getName(); if (!arguments.length) { return false; } return true; } // bom function() { if (!arguments.length) { return false; } var name = getName(); return true; }
-
Declarações de váriaveis durante todo o escopo da função são elevadas ao topo função com valor atribuído
undefined
. Esse comportamento é chamado dehoisting
.// sabemos que isso não irá funcionar (assumindo que // não exista uma variável global chamada `notDefined`) function example() { console.log(notDefined); // => lança uma ReferenceError } // Declarar uma variável depois de ter referenciado // a mesma irá funcionar pelo comportamento do `hoist` // Nota: a atribuição do valor `true` não é afetada por `hoisting`. function example() { console.log(declaredButNotAssigned); // => undefined var declaredButNotAssigned = true; } // O interpretador fez `hoisting` para a declaração // da variável. Isso significa que nosso exemplo pode // ser reescrito como: function example() { var declaredButNotAssigned; console.log(declaredButNotAssigned); // => undefined declaredButNotAssigned = true; }
-
Funções anônimas fazem
hoist
para o nome da sua variável, não para a corpo da função.function example() { console.log(anonymous); // => undefined anonymous(); // => TypeError anonymous is not a function var anonymous = function() { console.log('anonymous function expression'); }; }
-
Funções nomeadas fazem
hoist
para o nome da variável, não para o nome ou corpo da função.function example() { console.log(named); // => undefined named(); // => TypeError named is not a function superPower(); // => ReferenceError superPower is not defined var named = function superPower() { console.log('Flying'); }; // O mesmo acontece quando o nome da função // é o mesmo da variável. function example() { console.log(named); // => undefined named(); // => TypeError named is not a function var named = function named() { console.log('named'); }; } }
-
Declarações de funções nomeadas fazem
hoist
do nome da função e do seu corpo.function example() { superPower(); // => Flying function superPower() { console.log('Flying'); } }
-
Para mais informações veja JavaScript Scoping & Hoisting por Ben Cherry
-
Use
===
e!==
ao invés de==
e!=
. -
Expressões condicionais são interpretadas usando coerção de tipos e seguem as seguintes regras:
- Objeto equivale a true
- Undefined equivale a false
- Null equivale a false
- Booleans equivalem a o valor do boolean
- Numbers equivalem a false se +0, -0, or NaN, se não true
- Strings equivalem a false se são vazias
''
, se não true
if ([0]) { // true // Um array é um objeto, objetos equivalem a `true`. }
-
Use atalhos.
// ruim if (name !== '') { // ...outras implementações... } // bom if (name) { // ...outras implementações... } // ruim if (collection.length > 0) { // ...outras implementações... } // bom if (collection.length) { // ...outras implementações... }
-
Para mais informações veja Truth Equality and JavaScript por Angus Croll
-
Use chaves para todos os blocos com mais de uma linha.
// ruim if (test) return false; // bom if (test) return false; // bom if (test) { return false; } // ruim function() { return false; } // bom function() { return false; }
-
Use
/** ... */
para comentários com mais de uma linha. Inclua uma descrição e especifique tipos e valores para todos os parametros e retornos.// ruim // make() returns a new element // based on the passed in tag name // // @param <String> tag // @return <Element> element function make(tag) { // ...outra implementação... return element; } // bom /** * make() returns a new element * based on the passed in tag name * * @param <String> tag * @return <Element> element */ function make(tag) { // ...outras implementações... return element; }
-
Use
//
para comentários de uma linha. Coloque comentários de uma linha acima da expressão. Deixe uma linha em branco antes de cada comentário.// ruim var active = true; // is current tab // bom // is current tab var active = true; // ruim function getType() { console.log('fetching type...'); // set the default type to 'no type' var type = this._type || 'no type'; return type; } // bom function getType() { console.log('fetching type...'); // set the default type to 'no type' var type = this._type || 'no type'; return type; }
-
Use prefixos
FIXME
orTODO
nos seus comentários. Isso vai ajudar outros desenvolvedores a entenderem rapidamente se você está indicando um código que precisa ser revisado ou está sugerindo uma solução para o problema e como deve ser implementado. Estes são comentários diferentes dos convencionais, porque eles são acionáveis. As ações sãoFIXME -- utilizado para comentários de apresentação
ouTODO -- necessário a implementação
. -
Use
// FIXME:
para marcar problemasfunction Calculator() { // FIXME: não utilizar global aqui total = 0; return this; }
-
Use
// TODO:
para marcar soluções para um problemafunction Calculator() { // TODO: total deve ser configurado por um parâmetro das opções this.total = 0; return this; }
-
Use tabs com 2 espaços
// ruim function() { ∙∙∙∙var name; } // ruim function() { ∙var name; } // bom function() { ∙∙var name; }
-
Coloque um espaço antes da chave que abre o escopo da função.
// ruim function test(){ console.log('test'); } // bom function test() { console.log('test'); } // ruim dog.set('attr',{ age: '1 year', breed: 'Bernese Mountain Dog' }); // bom dog.set('attr', { age: '1 year', breed: 'Bernese Mountain Dog' });
-
Coloque 1 espaço antes do parênteses de abertura de comandos de controle (
if
,while
etc.). Não coloque espaços antes da lista de argumentos em chamadas e declarações de funções.// ruim if(isJedi) { fight (); } // bom if (isJedi) { fight(); } // ruim function fight () { console.log ('Swooosh!'); } // bom function fight() { console.log('Swooosh!'); }
-
Colocar espaço entre operadores.
// ruim var x=y+5; // bom var x = y + 5;
-
Coloque uma linha em branco no final do arquivo.
// ruim (function(global) { // ...outras implementações... })(this); // ruim (function(global) { // ...outras implementações... })(this); // bom (function(global) { // ...outras implementações... })(this);
-
Use identação quando encadear vários métodos. Use um ponto à esquerda, o que enfatiza que a linha é uma chamada de método, não uma nova declaração.
// ruim $('#items').find('.selected').highlight().end().find('.open').updateCount(); // ruim $('#items'). find('.selected'). highlight(). end(). find('.open'). updateCount(); // bom $('#items') .find('.selected') .highlight() .end() .find('.open') .updateCount(); // ruim var leds = stage.selectAll('.led').data(data).enter().append('svg:svg').classed('led', true) .attr('width', (radius + margin) * 2).append('svg:g') .attr('transform', 'translate(' + (radius + margin) + ',' + (radius + margin) + ')') .call(tron.led); // bom var leds = stage.selectAll('.led') .data(data) .enter().append('svg:svg') .classed('led', true) .attr('width', (radius + margin) * 2) .append('svg:g') .attr('transform', 'translate(' + (radius + margin) + ',' + (radius + margin) + ')') .call(tron.led);
-
Deixar uma linha em branco depois de blocos e antes da próxima declaração
// ruim if (foo) { return bar; } return baz; // bom if (foo) { return bar; } return baz; // ruim var obj = { foo: function() { }, bar: function() { } }; return obj; // bom var obj = { foo: function() { }, bar: function() { } }; return obj;
-
Leading commas: Nope.
// ruim var story = [ once , upon , aTime ]; // bom var story = [ once, upon, aTime ]; // ruim var hero = { firstName: 'Bob' , lastName: 'Parr' , heroName: 'Mr. Incredible' , superPower: 'strength' }; // bom var hero = { firstName: 'Bob', lastName: 'Parr', heroName: 'Mr. Incredible', superPower: 'strength' };
-
Additional trailing comma: Nope. This can cause problems with IE6/7 and IE9 if it's in quirksmode. Also, in some implementations of ES3 would add length to an array if it had an additional trailing comma. This was clarified in ES5 (source):
Edition 5 clarifies the fact that a trailing comma at the end of an ArrayInitialiser does not add to the length of the array. This is not a semantic change from Edition 3 but some implementations may have previously misinterpreted this.
```javascript
// ruim
var hero = {
firstName: 'Kevin',
lastName: 'Flynn',
};
var heroes = [
'Batman',
'Superman',
];
// bom
var hero = {
firstName: 'Kevin',
lastName: 'Flynn'
};
var heroes = [
'Batman',
'Superman'
];
```
-
Yup.
// ruim (function() { var name = 'Skywalker' return name })() // bom (function() { var name = 'Skywalker'; return name; })(); // bom (guards against the function becoming an argument when two files with IIFEs are concatenated) ;(function() { var name = 'Skywalker'; return name; })();
-
Faça coerção de tipos no inicio da expressão.
-
Strings:
// => this.reviewScore = 9; // ruim var totalScore = this.reviewScore + ''; // bom var totalScore = '' + this.reviewScore; // ruim var totalScore = '' + this.reviewScore + ' total score'; // bom var totalScore = this.reviewScore + ' total score';
-
Use
parseInt
para Numbers e sempre informe a base de conversão.var inputValue = '4'; // ruim var val = new Number(inputValue); // ruim var val = +inputValue; // ruim var val = inputValue >> 0; // ruim var val = parseInt(inputValue); // bom var val = Number(inputValue); // bom var val = parseInt(inputValue, 10);
-
Se por alguma razão você está fazendo algo muito underground e o
parseInt
é o gargalo, se usar deslocamento de bits (Bitshift
) por questões de performance, deixe um comentário explicando por que você está fazendo isso.// bom /** * parseInt é a causa do meu código estar lendo. * Bitshifting a String para força-lo como um * Number faz isso muito mais rápido. */ var val = inputValue >> 0;
-
Nota: Cuidado com operações de bitshift. Numbers são representados por valores 64-bit, mas operações Bitshift sempre retornarão valores inteiros de 32-bit (fonte). Bitshift pode levar a um comportamento inesperado para valores inteiros maiores que 32 bits. Discussão. O mairo valor Integer signed 32-bit é 2.147.483.647:
2147483647 >> 0 //=> 2147483647 2147483648 >> 0 //=> -2147483648 2147483649 >> 0 //=> -2147483647
-
Booleans:
var age = 0; // ruim var hasAge = new Boolean(age); // bom var hasAge = Boolean(age); // bom var hasAge = !!age;
-
Não use apenas um caracter, seja descritivo.
// ruim function q() { // ...outras implementações... } // bom function query() { // ...outras implementações... }
-
Use camelCase quando for nomear objetos, funções e instâncias.
// ruim var OBJEcttsssss = {}; var this_is_my_object = {}; function c() {} var u = new user({ name: 'Bob Parr' }); // bom var thisIsMyObject = {}; function thisIsMyFunction() {} var user = new User({ name: 'Bob Parr' });
-
Use PascalCase quando for nomear construtores ou classes.
// ruim function user(options) { this.name = options.name; } var bad = new user({ name: 'nope' }); // bom function User(options) { this.name = options.name; } var good = new User({ name: 'yup' });
-
Use um underscore
_
como primeiro caracter em propriedades privadas.// ruim this.__firstName__ = 'Panda'; this.firstName_ = 'Panda'; // bom this._firstName = 'Panda';
-
Quando for guardar referência para
this
use_this
.// ruim function() { var self = this; return function() { console.log(self); }; } // ruim function() { var that = this; return function() { console.log(that); }; } // bom function() { var _this = this; return function() { console.log(_this); }; }
-
Nomeie suas funções. Ajuda bastante quando for analisar pilhas de erro.
// ruim var log = function(msg) { console.log(msg); }; // bom var log = function log(msg) { console.log(msg); };
-
Nota: IE8 ou inferior mostra alguns problemas com funções nomeadas. Veja http://kangax.github.io/nfe/ para mais informações.
-
Se seu arquivos exporta apenas uma classes, o nome do arquivo deve conter exatamento o nome da classe.
// conteúdo do arquivo class CheckBox { // ... } module.exports = CheckBox; // em outro arquivo // ruim var CheckBox = require('./checkBox'); // ruim var CheckBox = require('./check_box'); // bom var CheckBox = require('./CheckBox');
-
Métodos acessores de propriedades não são obrigatórios.
-
Se você vai criar métodos acessores utilize getVal() e setVal('hello')
// ruim dragon.age(); // bom dragon.getAge(); // ruim dragon.age(25); // bom dragon.setAge(25);
-
Se a propriedade é um boolean, use isVal() ou hasVal()
// ruim if (!dragon.age()) { return false; } // bom if (!dragon.hasAge()) { return false; }
-
Tudo bem se você criar os métodos get() e set(), mas seja consistente.
function Jedi(options) { options || (options = {}); var lightsaber = options.lightsaber || 'blue'; this.set('lightsaber', lightsaber); } Jedi.prototype.set = function(key, val) { this[key] = val; }; Jedi.prototype.get = function(key) { return this[key]; };
-
Atribua métodos ao objeto
prototype
ao invés de sobrescrever o prototype com um novo objeto. Sobrescrever o prototype torna a herança impossível: resetando o prototype, você irá sobrescrever a base!function Jedi() { console.log('new jedi'); } // ruim Jedi.prototype = { fight: function fight() { console.log('fighting'); }, block: function block() { console.log('blocking'); } }; // bom Jedi.prototype.fight = function fight() { console.log('fighting'); }; Jedi.prototype.block = function block() { console.log('blocking'); };
-
Métodos podem retornar
this
para encadear novas chamadas.// ruim Jedi.prototype.jump = function() { this.jumping = true; return true; }; Jedi.prototype.setHeight = function(height) { this.height = height; }; var luke = new Jedi(); luke.jump(); // => true luke.setHeight(20) // => undefined // bom Jedi.prototype.jump = function() { this.jumping = true; return this; }; Jedi.prototype.setHeight = function(height) { this.height = height; return this; }; var luke = new Jedi(); luke.jump() .setHeight(20);
-
Tudo bem em escrever um toString() customizado. Apenas garanta que ele sempre irá funcionar e que não altera nenhum estado.
function Jedi(options) { options || (options = {}); this.name = options.name || 'no name'; } Jedi.prototype.getName = function getName() { return this.name; }; Jedi.prototype.toString = function toString() { return 'Jedi - ' + this.getName(); };
-
Quando se acopla conjuntos de dados aos eventos (mesmo que sejam eventos na DOM ou alguma outra coisa mais proprietária como eventos Backbone), passe uma hash ao invés de valores brutos. Isso permite que o próximo contribuidor adicione mais dados para o atual conjunto de dados do evento sem precisar procurar e atualizar cada event handler para esse evento. Por exemplo, ao invés de:
// ruim $(this).trigger('listingUpdated', listing.id); ... $(this).on('listingUpdated', function(e, listingId) { // operações quaisquer com listingId });
prefira:
// bom $(this).trigger('listingUpdated', { listingId : listing.id }); ... $(this).on('listingUpdated', function(e, data) { // operações quaisquer com data.listingId });
-
Um módulo deve começar com
!
. Isso garante que não haverá erros em produção caso os scripts sejam concatenados e um módulo não termine com ponto e vírgula. Explicação -
Nomeie o arquivo em formato camelCase, coloque em uma pasta com o mesmo nome e procure o nome da função que é exportada.
-
Adicione um método noConflict() que exporta o módulo antigo e retorna o módulo que foi criado com o mesmo nome.
-
Sempre declare
'use strict';
no topo do módulo.// fancyInput/fancyInput.js !function(global) { 'use strict'; var previousFancyInput = global.FancyInput; function FancyInput(options) { this.options = options || {}; } FancyInput.noConflict = function noConflict() { global.FancyInput = previousFancyInput; return FancyInput; }; global.FancyInput = FancyInput; }(this);
-
Nomeie objetos jQuery com o prefixo
$
.// ruim var sidebar = $('.sidebar'); // bom var $sidebar = $('.sidebar');
-
Guarde as consultas jQuery para reuso.
// ruim function setSidebar() { $('.sidebar').hide(); // ...outras implementações... $('.sidebar').css({ 'background-color': 'pink' }); } // bom function setSidebar() { var $sidebar = $('.sidebar'); $sidebar.hide(); // ...outras implementações... $sidebar.css({ 'background-color': 'pink' }); }
-
Para pesquisas no DOM use o modo Cascata
$('.sidebar ul')
ou pai > filho$('.sidebar > ul')
. jsPerf -
Use
find
em objetos jQuery que estão armazenados em variáveis.// ruim $('ul', '.sidebar').hide(); // ruim $('.sidebar').find('ul').hide(); // bom $('.sidebar ul').hide(); // bom $('.sidebar > ul').hide(); // bom $sidebar.find('ul').hide();
- Consulte Kangax's ES5 compatibility table
-
Yup.
function() { return true; }
- On Layout & Web Performance
- String vs Array Concat
- Try/Catch Cost In a Loop
- Bang Function
- jQuery Find vs Context, Selector
- innerHTML vs textContent for script text
- Long String Concatenation
- Loading...
Leia isso
Ferramentas
- Code Style Linters
Outros guias de estilo
- Google JavaScript Style Guide
- jQuery Core Style Guidelines
- Principles of Writing Consistent, Idiomatic JavaScript
- JavaScript Standard Style
Outros estilos
- Naming this in nested functions - Christian Johansen
- Conditional Callbacks - Ross Allen
- Popular JavaScript Coding Conventions on Github - JeongHoon Byun
- Multiple var statements in JavaScript, not superfluous - Ben Alman
Outras Leituras
- Understanding JavaScript Closures - Angus Croll
- Basic JavaScript for the impatient programmer - Dr. Axel Rauschmayer
- You Might Not Need jQuery - Zack Bloom & Adam Schwartz
- ES6 Features - Luke Hoban
- Frontend Guidelines - Benjamin De Cock
Livros
- JavaScript: The Good Parts - Douglas Crockford
- JavaScript Patterns - Stoyan Stefanov
- Pro JavaScript Design Patterns - Ross Harmes and Dustin Diaz
- High Performance Web Sites: Essential Knowledge for Front-End Engineers - Steve Souders
- Maintainable JavaScript - Nicholas C. Zakas
- JavaScript Web Applications - Alex MacCaw
- Pro JavaScript Techniques - John Resig
- Smashing Node.js: JavaScript Everywhere - Guillermo Rauch
- Secrets of the JavaScript Ninja - John Resig and Bear Bibeault
- Human JavaScript - Henrik Joreteg
- Superhero.js - Kim Joar Bekkelund, Mads Mobæk, & Olav Bjorkoy
- JSBooks - Julien Bouquillon
- Third Party JavaScript - Ben Vinegar and Anton Kovalyov
- Effective JavaScript: 68 Specific Ways to Harness the Power of JavaScript - David Herman
- Eloquent JavaScript - Marijn Haverbeke
- You Don't Know JS - Kyle Simpson
Blogs
- DailyJS
- JavaScript Weekly
- JavaScript, JavaScript...
- Bocoup Weblog
- Adequately Good
- NCZOnline
- Perfection Kills
- Ben Alman
- Dmitry Baranovskiy
- Dustin Diaz
- nettuts
Podcasts
Essa é a lista de organizações que estão utilizando esse guia de estilo. Mande-nos um pull request ou abra um apontamento para adicionarmos você na lista.
- Aan Zee: AanZee/javascript
- Adult Swim: adult-swim/javascript
- Airbnb: airbnb/javascript
- American Insitutes for Research: AIRAST/javascript
- Apartmint: apartmint/javascript
- Avalara: avalara/javascript
- Compass Learning: compasslearning/javascript-style-guide
- DailyMotion: dailymotion/javascript
- Digitpaint digitpaint/javascript
- Evernote: evernote/javascript-style-guide
- ExactTarget: ExactTarget/javascript
- Flexberry: Flexberry/javascript-style-guide
- Gawker Media: gawkermedia/javascript
- GeneralElectric: GeneralElectric/javascript
- GoodData: gooddata/gdc-js-style
- Grooveshark: grooveshark/javascript
- How About We: howaboutwe/javascript
- InfoJobs: InfoJobs/JavaScript-Style-Guide
- Intent Media: intentmedia/javascript
- Jam3: Jam3/Javascript-Code-Conventions
- JSSolutions: JSSolutions/javascript
- Kinetica Solutions: kinetica/javascript
- Mighty Spring: mightyspring/javascript
- MinnPost: MinnPost/javascript
- ModCloth: modcloth/javascript
- Money Advice Service: moneyadviceservice/javascript
- Muber: muber/javascript
- National Geographic: natgeo/javascript
- National Park Service: nationalparkservice/javascript
- Nimbl3: nimbl3/javascript
- Nordic Venture Family: CodeDistillery/javascript
- Orion Health: orionhealth/javascript
- Peerby: Peerby/javascript
- Razorfish: razorfish/javascript-style-guide
- reddit: reddit/styleguide/javascript
- REI: reidev/js-style-guide
- Ripple: ripple/javascript-style-guide
- SeekingAlpha: seekingalpha/javascript-style-guide
- Shutterfly: shutterfly/javascript
- StudentSphere: studentsphere/javascript
- Target: target/javascript
- TheLadders: TheLadders/javascript
- T4R Technology: T4R-Technology/javascript
- Userify: userify/javascript
- VoxFeed: VoxFeed/javascript-style-guide
- Weggo: Weggo/javascript
- Zillow: zillow/javascript
- ZocDoc: ZocDoc/javascript
Este style guide está disponível em outros idiomas:
- Brazilian Portuguese: armoucar/javascript-style-guide
- Bulgarian: borislavvv/javascript
- Catalan: fpmweb/javascript-style-guide
- Chinese(Traditional): jigsawye/javascript
- Chinese(Simplified): adamlu/javascript-style-guide
- French: nmussy/javascript-style-guide
- German: timofurrer/javascript-style-guide
- Italian: sinkswim/javascript-style-guide
- Japanese: mitsuruog/javacript-style-guide
- Korean: tipjs/javascript-style-guide
- Polish: mjurczyk/javascript
- Russian: uprock/javascript
- Spanish: paolocarrasco/javascript-style-guide
- Thai: lvarayut/javascript-style-guide
- Find us on gitter.
(The MIT License)
Copyright (c) 2014 Airbnb
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the 'Software'), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED 'AS IS', WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.