Skip to content

Latest commit

 

History

History
407 lines (296 loc) · 9.33 KB

ember.md

File metadata and controls

407 lines (296 loc) · 9.33 KB

Ember.js Style Guide

Table Of Contents

General

Import what you use, do not use globals

For Ember Data, we should import Model, attr and other ember-data modules from ember-data, and then destructure our desired modules. For Ember, we should only import those modules that will be used. Ember's imports can be found in the JavaScript Module API RFC and in the Ember API docs.

// Good
import Model from 'ember-data/model';
import attr from 'ember-data/attr';
import { computed } from '@ember/object';
import { alias } from '@ember/object/computed';

export default Model.extend({
  firstName: attr('string'),
  lastName: attr('string'),

  surname: alias('lastName'),

  fullName: computed('firstName', 'lastName', function() {
    // Code
  })
});

// Bad
import Ember from 'ember';
import DS from 'ember-data';

export default DS.Model.extend({
  firstName: DS.attr('string'),
  lastName: DS.attr('string'),

  surname: Ember.computed.alias('lastName'),

  fullName: Ember.computed('firstName', 'lastName', {
    get() {
      // Code
    },

    set() {
      // Code
    }
  })
});

Don't use Ember's prototype extensions

Avoid Ember's Date, Function and String prototype extensions. Prefer the corresponding functions from the Ember object.

Preferably turn the prototype extensions off by updating the EmberENV.EXTEND_PROTOTYPES setting in your config/environment file.

module.exports = function(environment) {
  var ENV = {
    EmberENV: {
      EXTEND_PROTOTYPES: {
        Date: false,
        Function: false,
        String: false
      }
    }
// Good

export default Model.extend({
  hobbies: w('surfing skateboarding skydiving'),
  fullName: computed('firstName', 'lastName', function() { ... }),
  didError: on('error', function() { ... })
});

// Bad

export default Model.extend({
  hobbies: 'surfing skateboarding skydiving'.w(),
  fullName: function() { ... }.property('firstName', 'lastName'),
  didError: function() { ... }.on('error')
});

Use get and set

Calling someObj.get('prop') couples your code to the fact that someObj is an Ember Object. It prevents you from passing in a POJO, which is sometimes preferable in testing. It also yields a more informative error when called with null or undefined.

Although when defining a method in a controller, component, etc. you can be fairly sure this is an Ember Object, so using get/set is optional in this case.

// Good
import { get, set } from '@ember/object';

set(someObj, 'isSelected', true);
get(someObj, 'isSelected');

// Bad
someObj.set('isSelected', true);
someObj.get('isSelected');

// Ok
this.set('isSelected', true);
this.get('isSelected');

Use brace expansion

This allows much less redundancy and is easier to read.

Note that the dependent keys must be together (without space) for the brace expansion to work.

// Good
fullName: computed('user.{firstName,lastName}', {
  // Code
})

// Bad
fullName: computed('user.firstName', 'user.lastName', {
  // Code
})

Organizing your modules

Ordering a module's properties in a predictable manner will make it easier to scan. Within each of these categories, properties should be ordered alphabetically.

  1. Services

  2. Plain properties

    Start with properties that configure the module's behavior. Examples are tagName and classNames on components and queryParams on controllers and routes. Followed by any other simple properties, like default values for properties.

  3. Single line computed property macros

    E.g. alias, sort and other macros. Start with service injections. If the module is a model, then attr properties should be first, followed by belongsTo and hasMany.

  4. Multi line computed property functions

  5. Functions

    Public functions first, internal functions after.

  6. Lifecycle hooks

    The hooks should be chronologically ordered by the order they are invoked in.

  7. Actions

export default Component.extend({
  // Plain properties
  tagName: 'span',

  // Single line CP
  post: alias('myPost'),

  // Multiline CP
  authorName: computed('author.{firstName,lastName}', function() {
    // code
  }),

  // Lifecycle hooks
  didReceiveAttrs() {
    this._super(...arguments);
    // code
  },

  actions: {
    someAction() {
      // Code
    }
  }

  // Functions
  someFunction() {
    // code
  },


});

Override lifecycle hooks

Rather than using the object's lifecycle hooks e.g. init via on, override the lifecycle event and call _super with ...arguments. This allows you to control execution order. Don't Don't Override Init

Models

Organization

Models should be grouped as follows:

  • Services
  • Attributes
  • Associations
  • Inherited Properties
  • Computed Properties
  • Single line functions
  • Multiple line functions

Within each section, the attributes should be ordered alphabetically.

// Good
import Model from 'ember-data/model';
import attr from 'ember-data/attr';
import { hasMany } from 'ember-data/relationships';
import { computed } from '@ember/object';

export default Model.extend({
  // Attributes
  firstName: attr('string'),
  lastName: attr('string'),

  // Associations
  children: hasMany('child'),

  // Computed Properties
  fullName: computed('firstName', 'lastName', function() {
    // Code
  })
});

// Bad
import Model from 'ember-data/model';
import attr from 'ember-data/attr';
import { hasMany } from 'ember-data/relationships';
import { computed } from '@ember/object';

export default Model.extend({
  children: hasMany('child'),
  firstName: attr('string'),
  lastName: attr('string'),

  fullName: computed('firstName', 'lastName', function() {
    // Code
  })
});

Controllers

Define query params first

For consistency and ease of discover, list your query params first in your controller. These should be listed above default values.

Templates

Don't yield this

Use the hash helper to yield what you need instead.

{{! Good }}
{{yield (hash thing=thing action=(action "action"))}}

{{! Bad }}
{{yield this}}

Use components in {{#each}} blocks

Contents of your each blocks should be a single line, use components when more than one line is needed. This will allow you to test the contents in isolation via unit tests, as your loop will likely contain more complex logic in this case.

{{! Good }}
{{#each posts as |post|}}
  {{post-summary post=post}}
{{/each}}

{{! Bad }}
{{#each posts as |post|}}
  <article>
    <img src={{post.image}} />
    <h1>{{post.title}}</h2>
    <p>{{post.summary}}</p>
  </article>
{{/each}}

Always use the action keyword to pass actions.

Although it's not strictly needed to use the action keyword to pass on actions that have already been passed with the action keyword once, it's recommended to always use the action keyword when passing an action to another component. This will prevent some potential bugs that can happen and also make it more clear that you are passing an action.

{{! Good }}
{{edit-post post=post deletePost=(action deletePost)}}

{{! Bad }}
{{edit-post post=post deletePost=deletePost}}

Ordering static attributes, dynamic attributes, and action helpers for HTML elements

Ultimately, we should make it easier for other developers to read templates. Ordering attributes and then action helpers will provide clarity. Alphabetize within categories.

{{! Bad }}

<button disabled={{isDisabled}} data-auto-id="click-me" {{action (action click)}} name="wonderful-button" class="wonderful-button">Click me</button>
{{! Good }}

<button class="wonderful-button"
  data-auto-id="click-me"
  name="wonderful-button"
  disabled={{isDisabled}}
  onclick={{action click}}>
    Click me
</button>

Routing

Route naming

Dynamic segments should be underscored. This will allow Ember to resolve promises without extra serialization work.

// good

this.route('foo', { path: ':foo_id' });

// bad

this.route('foo', { path: ':fooId' });

Example with broken links.

Perform all async actions required for the page to load in route model hooks

The model hooks are async hooks, and will wait for any promises returned to resolve. An example of this would be models needed to fill a drop down in a form, you don't want to render this page without the options in the dropdown. A counter example would be comments on a page. The comments should be fetched along side the model, but should not block your page from loading if the required model is there.

Ember Data

Be explicit with Ember Data attribute types

Even though Ember Data can be used without using explicit types in attr, always supply an attribute type to ensure the right data transform is used.

// Good

export default Model.extend({
  firstName: attr('string'),
  jerseyNumber: attr('number')
});

// Bad

export default Model.extend({
  firstName: attr(),
  jerseyNumber: attr()
});