Merge pull request #56 from thermokarst/form-helpers

Form helpers
This commit is contained in:
Matthew Dillon 2015-11-12 06:08:05 -07:00
commit d185dad716
28 changed files with 390 additions and 249 deletions

View file

@ -1,14 +1,16 @@
import DS from 'ember-data'; import DS from 'ember-data';
export default DS.Model.extend({ const { Model, attr, hasMany } = DS;
characteristicName : DS.attr('string'),
characteristicTypeName: DS.attr('string'), export default Model.extend({
strains : DS.hasMany('strain', { async: false }), characteristicName : attr('string'),
measurements : DS.hasMany('measurements', { async: false }), characteristicTypeName: attr('string'),
createdAt : DS.attr('date'), strains : hasMany('strain', { async: false }),
updatedAt : DS.attr('date'), measurements : hasMany('measurements', { async: false }),
createdBy : DS.attr('number'), createdAt : attr('date'),
updatedBy : DS.attr('number'), updatedAt : attr('date'),
sortOrder : DS.attr('number'), createdBy : attr('number'),
canEdit : DS.attr('boolean'), updatedBy : attr('number'),
sortOrder : attr('number'),
canEdit : attr('boolean'),
}); });

View file

@ -1,15 +1,17 @@
import DS from 'ember-data'; import DS from 'ember-data';
export default DS.Model.extend({ const { Model, belongsTo, attr } = DS;
strain : DS.belongsTo('strain', { async: false }),
characteristic : DS.belongsTo('characteristic', { async: false }), export default Model.extend({
value : DS.attr('string'), strain : belongsTo('strain', { async: false }),
confidenceInterval : DS.attr('number'), characteristic : belongsTo('characteristic', { async: false }),
unitType : DS.attr('string'), value : attr('string'),
notes : DS.attr('string'), confidenceInterval : attr('number'),
testMethod : DS.attr('string'), unitType : attr('string'),
createdAt : DS.attr('date'), notes : attr('string'),
updatedAt : DS.attr('date'), testMethod : attr('string'),
createdBy : DS.attr('number'), createdAt : attr('date'),
updatedBy : DS.attr('number'), updatedAt : attr('date'),
createdBy : attr('number'),
updatedBy : attr('number'),
}); });

View file

@ -2,20 +2,23 @@ import DS from 'ember-data';
import config from '../config/environment'; import config from '../config/environment';
import Ember from 'ember'; import Ember from 'ember';
export default DS.Model.extend({ const { Model, attr, hasMany } = DS;
speciesName : DS.attr('string'),
typeSpecies : DS.attr('boolean'),
etymology : DS.attr('string'),
genusName : DS.attr('string', { defaultValue: config.APP.genus }),
strains : DS.hasMany('strain', { async: false }),
totalStrains: DS.attr('number'),
createdAt : DS.attr('date'),
updatedAt : DS.attr('date'),
createdBy : DS.attr('number'),
updatedBy : DS.attr('number'),
sortOrder : DS.attr('number'),
canEdit : DS.attr('boolean'),
export default Model.extend({
speciesName : attr('string'),
typeSpecies : attr('boolean'),
etymology : attr('string'),
genusName : attr('string', { defaultValue: config.APP.genus }),
strains : hasMany('strain', { async: false }),
totalStrains: attr('number'),
createdAt : attr('date'),
updatedAt : attr('date'),
createdBy : attr('number'),
updatedBy : attr('number'),
sortOrder : attr('number'),
canEdit : attr('boolean'),
// TODO: move this to component/helper
speciesNameMU: function() { speciesNameMU: function() {
return Ember.String.htmlSafe(`<em>${this.get('speciesName')}</em>`); return Ember.String.htmlSafe(`<em>${this.get('speciesName')}</em>`);
}.property('speciesName').readOnly(), }.property('speciesName').readOnly(),

View file

@ -1,34 +1,39 @@
import DS from 'ember-data'; import DS from 'ember-data';
import Ember from 'ember'; import Ember from 'ember';
export default DS.Model.extend({ const { Model, hasMany, belongsTo, attr } = DS;
measurements : DS.hasMany('measurements', { async: false }),
characteristics : DS.hasMany('characteristics', { async: false }),
species : DS.belongsTo('species', { async: false }),
strainName : DS.attr('string'),
typeStrain : DS.attr('boolean'),
accessionNumbers : DS.attr('string'),
genbank : DS.attr('string'),
wholeGenomeSequence: DS.attr('string'),
isolatedFrom : DS.attr('string'),
notes : DS.attr('string'),
createdAt : DS.attr('date'),
updatedAt : DS.attr('date'),
createdBy : DS.attr('number'),
updatedBy : DS.attr('number'),
totalMeasurements : DS.attr('number'),
sortOrder : DS.attr('number'),
canEdit : DS.attr('boolean'),
export default Model.extend({
measurements : hasMany('measurements', { async: false }),
characteristics : hasMany('characteristics', { async: false }),
species : belongsTo('species', { async: false }),
strainName : attr('string'),
typeStrain : attr('boolean'),
accessionNumbers : attr('string'),
genbank : attr('string'),
wholeGenomeSequence: attr('string'),
isolatedFrom : attr('string'),
notes : attr('string'),
createdAt : attr('date'),
updatedAt : attr('date'),
createdBy : attr('number'),
updatedBy : attr('number'),
totalMeasurements : attr('number'),
sortOrder : attr('number'),
canEdit : attr('boolean'),
// TODO: move this to component/helper
strainNameMU: function() { strainNameMU: function() {
let type = this.get('typeStrain') ? '<sup>T</sup>' : ''; let type = this.get('typeStrain') ? '<sup>T</sup>' : '';
return Ember.String.htmlSafe(`${this.get('strainName')}${type}`); return Ember.String.htmlSafe(`${this.get('strainName')}${type}`);
}.property('strainName', 'typeStrain').readOnly(), }.property('strainName', 'typeStrain').readOnly(),
// TODO: move this to component/helper
fullName: Ember.computed('species', 'strainName', function() { fullName: Ember.computed('species', 'strainName', function() {
return `${this.get('species.speciesName')} ${this.get('strainNameMU')}`; return `${this.get('species.speciesName')} ${this.get('strainNameMU')}`;
}), }),
// TODO: move this to component/helper
fullNameMU: function() { fullNameMU: function() {
return Ember.String.htmlSafe(`<em>${this.get('species.speciesName')}</em> ${this.get('strainNameMU')}`); return Ember.String.htmlSafe(`<em>${this.get('species.speciesName')}</em> ${this.get('strainNameMU')}`);
}.property('species', 'strainNameMU').readOnly(), }.property('species', 'strainNameMU').readOnly(),

View file

@ -1,29 +1,32 @@
import Ember from 'ember'; import Ember from 'ember';
import DS from 'ember-data'; import DS from 'ember-data';
export default DS.Model.extend({ const { Model, attr } = DS;
email : DS.attr('string'), const { computed } = Ember;
password : DS.attr('string'),
name : DS.attr('string'),
role : DS.attr('string'),
canEdit : DS.attr('boolean'),
createdAt: DS.attr('date'),
updatedAt: DS.attr('date'),
isAdmin: function() { export default Model.extend({
email : attr('string'),
password : attr('string'),
name : attr('string'),
role : attr('string'),
canEdit : attr('boolean'),
createdAt: attr('date'),
updatedAt: attr('date'),
isAdmin: computed('role', function() {
return this.get('role') === 'A'; return this.get('role') === 'A';
}.property('role'), }),
isWriter: function() { isWriter: computed('role', function() {
return this.get('role') === 'W'; return this.get('role') === 'W';
}.property('role'), }),
isReader: function() { isReader: computed('role', function() {
return this.get('role') === 'R'; return this.get('role') === 'R';
}.property('role'), }),
fullRole: function() { fullRole: computed('role', function() {
let role = this.get('role'); const role = this.get('role');
if (role === 'R') { if (role === 'R') {
return 'Read-Only'; return 'Read-Only';
} else if (role === 'W') { } else if (role === 'W') {
@ -33,13 +36,13 @@ export default DS.Model.extend({
} else { } else {
return 'Error'; return 'Error';
} }
}.property('role'), }),
canWrite: Ember.computed('role', function() { canWrite: computed('role', function() {
return this.get('role') !== 'R'; return this.get('role') !== 'R';
}), }),
metaData: Ember.computed('canWrite', function() { metaData: computed('canWrite', function() {
return { 'canAdd': this.get('canWrite') }; return { 'canAdd': this.get('canWrite') };
}), }),

View file

@ -1,7 +1,9 @@
import DS from 'ember-data'; import DS from 'ember-data';
import DataAdapterMixin from 'ember-simple-auth/mixins/data-adapter-mixin'; import DataAdapterMixin from 'ember-simple-auth/mixins/data-adapter-mixin';
export default DS.RESTAdapter.extend(DataAdapterMixin, { const { RESTAdapter } = DS;
export default RESTAdapter.extend(DataAdapterMixin, {
authorizer: 'authorizer:application', authorizer: 'authorizer:application',
namespace: function() { namespace: function() {

View file

@ -1,7 +1,9 @@
import Ember from 'ember'; import Ember from 'ember';
import ApplicationRouteMixin from 'ember-simple-auth/mixins/application-route-mixin'; import ApplicationRouteMixin from 'ember-simple-auth/mixins/application-route-mixin';
export default Ember.Route.extend(ApplicationRouteMixin, { const { Route } = Ember;
export default Route.extend(ApplicationRouteMixin, {
actions: { actions: {
invalidateSession: function() { invalidateSession: function() {
this.get('session').invalidate().then(() => { this.get('session').invalidate().then(() => {
@ -9,7 +11,5 @@ export default Ember.Route.extend(ApplicationRouteMixin, {
return true; return true;
}); });
}, },
}, },
}); });

View file

@ -1,14 +1,15 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Controller.extend({ const { Controller, inject: { service } } = Ember;
session: Ember.inject.service('session'),
export default Controller.extend({
session: service(),
actions: { actions: {
authenticate: function() { authenticate: function(identification, password) {
// Manually clean up because there might not be a transition // Manually clean up because there might not be a transition
this.get('flashMessages').clearMessages(); this.get('flashMessages').clearMessages();
let { identification, password } = this.getProperties('identification', 'password');
this.transitionToRoute('loading').then(() => { this.transitionToRoute('loading').then(() => {
this.get('session').authenticate('authenticator:oauth2', identification, password).catch((error) => { this.get('session').authenticate('authenticator:oauth2', identification, password).catch((error) => {
this.transitionToRoute('login').then(() => { this.transitionToRoute('login').then(() => {

View file

@ -0,0 +1,27 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
// Actions
"on-submit": null,
// Property mapping
propertiesList: ['identification', 'password'],
identification: null,
password: null,
actions: {
submit: function() {
return this.attrs['on-submit'](this.get('identification'), this.get('password'));
},
identificationDidChange: function(value) {
this.set('identification', value);
},
passwordDidChange: function(value) {
this.set('password', value);
},
},
});

View file

@ -0,0 +1,12 @@
<form {{action "submit" on="submit"}}>
<h2>Log In</h2>
{{one-way-input type="text" class="identification" value=identification update=(action "identificationDidChange") placeholder="Email"}}
{{one-way-input type="password" class="password" value=password update=(action "passwordDidChange") placeholder="Password"}}
<button type="submit" class="button-gray log-in">
Log In
</button>
</form>
<br>
<div>
{{link-to 'Forget your password?' 'users.requestlockouthelp'}}
</div>

View file

@ -1,4 +1,6 @@
import Ember from 'ember'; import Ember from 'ember';
import UnauthenticatedRouteMixin from 'ember-simple-auth/mixins/unauthenticated-route-mixin'; import UnauthenticatedRouteMixin from 'ember-simple-auth/mixins/unauthenticated-route-mixin';
export default Ember.Route.extend(UnauthenticatedRouteMixin, {}); const { Route } = Ember;
export default Route.extend(UnauthenticatedRouteMixin, {});

View file

@ -1,12 +1,6 @@
{{#x-application invalidateSession="invalidateSession"}} {{#x-application invalidateSession="invalidateSession"}}
<form {{action "authenticate" on="submit"}}> {{
<h2>Log In</h2> login/login-form
{{input value=identification type="text" placeholder="Email"}} on-submit=(action "authenticate")
{{input value=password type="password" placeholder="Password"}} }}
{{input class="button-gray" type="submit" value="Log In"}}
</form>
<br>
<div>
{{link-to 'Forget your password?' 'users.requestlockouthelp'}}
</div>
{{/x-application}} {{/x-application}}

View file

@ -1,8 +1,10 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route } = Ember;
export default Route.extend({
redirect: function() { redirect: function() {
let url = this.router.location.formatURL('/not-found'); const url = this.router.location.formatURL('/not-found');
if (window.location.pathname !== url) { if (window.location.pathname !== url) {
this.transitionTo('/not-found'); this.transitionTo('/not-found');

View file

@ -1,3 +1,5 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({}); const { Route } = Ember;
export default Route.extend({});

View file

@ -1,41 +1,22 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Controller.extend({ const { Controller } = Ember;
export default Controller.extend({
selectedStrains: null,
selectedCharacteristics: null,
actions: { actions: {
search: function() { search: function(query) {
let query = { this.transitionToRoute('protected.compare.results', { queryParams: query });
strain_ids: this.get('selectedStrains'),
characteristic_ids: this.get('selectedCharacteristics'),
};
this.transitionToRoute('protected.compare.results', {queryParams: query});
}, },
selectAllStrains: function() { updateStrainSelection: function(selection) {
let strains = this.get('strains'); this.set('selectedStrains', selection);
let strain_ids = [];
strains.forEach((strain) => {
strain_ids.push(strain.id);
});
this.set('selectedStrains', strain_ids.join(","));
}, },
deselectAllStrains: function() { updateCharacteristicSelection: function(selection) {
this.set('selectedStrains', ''); this.set('selectedCharacteristics', selection);
}, },
selectAllCharacteristics: function() {
let chars = this.get('characteristics');
let char_ids = [];
chars.forEach((char) => {
char_ids.push(char.id);
});
this.set('selectedCharacteristics', char_ids.join(","));
},
deselectAllCharacteristics: function() {
this.set('selectedCharacteristics', '');
},
} }
}); });

View file

@ -1,31 +1,8 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Controller.extend({ const { Controller } = Ember;
export default Controller.extend({
queryParams: ['strain_ids', 'characteristic_ids'], queryParams: ['strain_ids', 'characteristic_ids'],
csvLink: function() {
let token = encodeURIComponent(this.get('session.secure.token'));
return `${this.get('globals.apiURL')}/api/${this.get('globals.genus')}/` +
`compare?token=${token}&strain_ids=${this.get('strain_ids')}&` +
`characteristic_ids=${this.get('characteristic_ids')}&mimeType=csv`;
}.property('strain_ids', 'characteristic_ids').readOnly(),
strains: function() {
let strains = [];
let strain_ids = this.get('strain_ids').split(',');
strain_ids.forEach((id) => {
strains.push(this.store.peekRecord('strain', id));
});
return strains;
}.property('strain_ids'),
characteristics: function() {
let characteristics = [];
let characteristic_ids = this.get('characteristic_ids').split(',');
characteristic_ids.forEach((id) => {
characteristics.push(this.store.peekRecord('characteristic', id));
});
return characteristics;
}.property('characteristic_ids'),
}); });

View file

@ -0,0 +1,19 @@
import Ember from 'ember';
const { Component, computed, inject: { service } } = Ember;
export default Component.extend({
session: service(),
strains: null,
characteristics: null,
strain_ids: null,
characteristic_ids: null,
csvLink: computed('strain_ids', 'characteristic_ids', function() {
const token = encodeURIComponent(this.get('session.data.authenticated.access_token'));
return `${this.get('globals.apiURL')}/api/${this.get('globals.genus')}/` +
`compare?token=${token}&strain_ids=${this.get('strain_ids')}&` +
`characteristic_ids=${this.get('characteristic_ids')}&mimeType=csv`;
}),
});

View file

@ -0,0 +1,25 @@
<table class="flakes-table">
<thead>
<tr>
<th>Characteristic</th>
{{#each strains as |strain|}}
<th>
{{#link-to 'protected.strains.show' strain.id classBinding="data.typeStrain:type-strain"}}
{{strain.fullNameMU}}
{{/link-to}}
</th>
{{/each}}
</tr>
</thead>
<tbody>
{{#each characteristics as |row|}}
<tr>
{{#each row key="@index" as |col|}}
<td>{{col}}</td>
{{/each}}
</tr>
{{/each}}
</tbody>
</table>
<hr>
<a href="{{csvLink}}" download>Download as CSV</a>

View file

@ -1,8 +1,10 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxRequest from '../../../../utils/ajax-request'; import ajaxRequest from '../../../../utils/ajax-request';
export default Ember.Route.extend({ const { Route, $: { isEmptyObject }, inject: { service } } = Ember;
session: Ember.inject.service('session'),
export default Route.extend({
session: service(),
queryParams: { queryParams: {
strain_ids: { strain_ids: {
@ -15,8 +17,9 @@ export default Ember.Route.extend({
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);
if (Ember.$.isEmptyObject(transition.queryParams.strain_ids) || const strain_ids = transition.queryParams.strain_ids;
Ember.$.isEmptyObject(transition.queryParams.characteristic_ids)) { const characteristic_ids = transition.queryParams.characteristic_ids;
if (isEmptyObject(strain_ids) || isEmptyObject(characteristic_ids)) {
this.transitionTo('protected.compare'); this.transitionTo('protected.compare');
} }
}, },
@ -26,12 +29,12 @@ export default Ember.Route.extend({
this.transitionTo('protected.compare'); this.transitionTo('protected.compare');
} }
let compare = this.controllerFor('protected.compare'); const compare = this.controllerFor('protected.compare');
compare.set('selectedStrains', params.strain_ids); compare.set('selectedStrains', params.strain_ids);
compare.set('selectedCharacteristics', params.characteristic_ids); compare.set('selectedCharacteristics', params.characteristic_ids);
let url = `${this.get('globals.apiURL')}/api/${this.get('globals.genus')}/compare`; const url = `${this.get('globals.apiURL')}/api/${this.get('globals.genus')}/compare`;
let options = { const options = {
method: 'GET', method: 'GET',
data: params, data: params,
}; };
@ -40,9 +43,26 @@ export default Ember.Route.extend({
setupController: function(controller, model) { setupController: function(controller, model) {
model.forEach((m, i) => { model.forEach((m, i) => {
let c = this.store.peekRecord('characteristic', m[0]); const c = this.store.peekRecord('characteristic', m[0]);
model[i][0] = c.get('characteristicName'); model[i][0] = c.get('characteristicName');
}); });
const compare = this.controllerFor('protected.compare');
const strains = [];
const strain_ids = compare.get('selectedStrains').split(',');
strain_ids.forEach((id) => {
strains.push(this.store.peekRecord('strain', id));
});
controller.set('strains', strains);
const characteristics = [];
const characteristic_ids = compare.get('selectedCharacteristics').split(',');
characteristic_ids.forEach((id) => {
characteristics.push(this.store.peekRecord('characteristic', id));
});
controller.set('characteristics', characteristics);
controller.set('model', model); controller.set('model', model);
}, },

View file

@ -1,25 +1,7 @@
<table class="flakes-table"> {{
<thead> protected/compare/results/results-table
<tr> strains=strains
<th>Characteristic</th> characteristics=model
{{#each strains as |strain|}} strain_ids=strain_ids
<th> characteristic_ids=characteristic_ids
{{#link-to 'protected.strains.show' strain.id classBinding="data.typeStrain:type-strain"}} }}
{{strain.fullNameMU}}
{{/link-to}}
</th>
{{/each}}
</tr>
</thead>
<tbody>
{{#each model as |row|}}
<tr>
{{#each row key="@index" as |col|}}
<td>{{col}}</td>
{{/each}}
</tr>
{{/each}}
</tbody>
</table>
<hr>
<a href="{{csvLink}}" download>Download as CSV</a>

View file

@ -1,6 +1,8 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route } = Ember;
export default Route.extend({
model: function() { model: function() {
return this.store.findAll('characteristic'); return this.store.findAll('characteristic');
}, },

View file

@ -0,0 +1,61 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
characteristics: null,
strains: null,
"on-search": null,
"update-strains": null,
"update-characteristics": null,
selectedStrains: null,
selectedCharacteristics: null,
updateStrains: function(selection) {
this.set('selectedStrains', selection);
this.attrs['update-strains'](this.get('selectedStrains'));
},
updateCharacteristics: function(selection) {
this.set('selectedCharacteristics', selection);
this.attrs['update-characteristics'](this.get('selectedCharacteristics'));
},
actions: {
search: function() {
const query = {
strain_ids: this.get('selectedStrains'),
characteristic_ids: this.get('selectedCharacteristics'),
};
this.attrs['on-search'](query);
},
selectAllStrains: function() {
const strains = this.get('strains');
const strain_ids = [];
strains.forEach((strain) => {
strain_ids.push(strain.get('id'));
});
this.updateStrains(strain_ids.join(","));
},
deselectAllStrains: function() {
this.updateStrains("");
},
selectAllCharacteristics: function() {
const chars = this.get('characteristics');
const char_ids = [];
chars.forEach((char) => {
char_ids.push(char.get('id'));
});
this.updateCharacteristics(char_ids.join(","));
},
deselectAllCharacteristics: function() {
this.updateCharacteristics("");
},
},
});

View file

@ -0,0 +1,53 @@
<div class="span-1">
<fieldset>
<form {{action 'search' on='submit'}}>
<ul>
<li>
<label>Strains</label>
{{
select-2
multiple=true
content=strains
value=selectedStrains
optionValuePath="id"
optionLabelPath="fullNameMU"
placeholder="Select one or more strains"
}}
</li>
<li>
<button class="action button-green smaller right" {{action 'selectAllStrains'}}>
Select All
</button>
<button class="action button-red smaller right" {{action 'deselectAllStrains'}}>
Deselect All
</button>
</li>
<li>
<label>Characteristics</label>
{{
select-2
multiple=true
content=characteristics
value=selectedCharacteristics
optionValuePath="id"
optionLabelPath="characteristicName"
placeholder="Select one or more characteristics"
}}
</li>
<li>
<button class="action button-green smaller right" {{action 'selectAllCharacteristics'}}>
Select All
</button>
<button class="action button-red smaller right" {{action 'deselectAllCharacteristics'}}>
Deselect All
</button>
</li>
<li>
<button type="submit" class="action button-gray smaller right">
Search
</button>
</li>
</ul>
</form>
</fieldset>
</div>

View file

@ -1,57 +1,14 @@
<h2>{{genus-name}} - Compare Strains</h2> <h2>{{genus-name}} - Compare Strains</h2>
<div class="span-1"> {{
<fieldset> protected/compare/select-form
<form {{action 'search' on='submit'}}> characteristics=characteristics
<ul> strains=strains
<li> selectedStrains=selectedStrains
<label>Strains</label> selectedCharacteristics=selectedCharacteristics
{{ on-search=(action "search")
select-2 update-strains=(action "updateStrainSelection")
multiple=true update-characteristics=(action "updateCharacteristicSelection")
content=strains }}
value=selectedStrains
optionValuePath="id"
optionLabelPath="fullNameMU"
placeholder="Select one or more strains"
}}
</li>
<li>
<button class="action button-green smaller right" {{action 'selectAllStrains'}}>
Select All
</button>
<button class="action button-red smaller right" {{action 'deselectAllStrains'}}>
Deselect All
</button>
</li>
<li>
<label>Characteristics</label>
{{
select-2
multiple=true
content=characteristics
value=selectedCharacteristics
optionValuePath="id"
optionLabelPath="characteristicName"
placeholder="Select one or more characteristics"
}}
</li>
<li>
<button class="action button-green smaller right" {{action 'selectAllCharacteristics'}}>
Select All
</button>
<button class="action button-red smaller right" {{action 'deselectAllCharacteristics'}}>
Deselect All
</button>
</li>
<li>
<button type="submit" class="action button-gray smaller right">
Search
</button>
</li>
</ul>
</form>
</fieldset>
</div>
{{outlet}} {{outlet}}

View file

@ -1,6 +1,8 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route } = Ember;
export default Route.extend({
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);
this.transitionTo('protected.compare'); this.transitionTo('protected.compare');

View file

@ -1 +0,0 @@
Welcome

View file

@ -1,9 +1,12 @@
import Ember from 'ember'; import Ember from 'ember';
import AuthenticatedRouteMixin from 'ember-simple-auth/mixins/authenticated-route-mixin'; import AuthenticatedRouteMixin from 'ember-simple-auth/mixins/authenticated-route-mixin';
export default Ember.Route.extend(AuthenticatedRouteMixin, { const { Route } = Ember;
export default Route.extend(AuthenticatedRouteMixin, {
actions: { actions: {
error: function() { error: function(err) {
console.log(err);
this.transitionTo('/not-found'); this.transitionTo('/not-found');
}, },

View file

@ -1,19 +1,22 @@
import DS from 'ember-data'; import DS from 'ember-data';
import Ember from 'ember'; import Ember from 'ember';
export default DS.RESTSerializer.extend({ const { RESTSerializer } = DS;
const { isNone } = Ember;
export default RESTSerializer.extend({
isNewSerializerAPI: true, isNewSerializerAPI: true,
serializeBelongsTo: function(snapshot, json, relationship) { serializeBelongsTo: function(snapshot, json, relationship) {
var key = relationship.key; let key = relationship.key;
var belongsTo = snapshot.belongsTo(key); const belongsTo = snapshot.belongsTo(key);
key = this.keyForRelationship ? this.keyForRelationship(key, "belongsTo", "serialize") : key; key = this.keyForRelationship ? this.keyForRelationship(key, "belongsTo", "serialize") : key;
json[key] = Ember.isNone(belongsTo) ? belongsTo : +belongsTo.record.id; json[key] = isNone(belongsTo) ? belongsTo : +belongsTo.record.id;
}, },
serializeHasMany: function(snapshot, json, relationship) { serializeHasMany: function(snapshot, json, relationship) {
var key = relationship.key; let key = relationship.key;
var hasMany = snapshot.hasMany(key); const hasMany = snapshot.hasMany(key);
key = this.keyForRelationship ? this.keyForRelationship(key, "hasMany", "serialize") : key; key = this.keyForRelationship ? this.keyForRelationship(key, "hasMany", "serialize") : key;
json[key] = []; json[key] = [];