fixed merge conflict in tests/index

This commit is contained in:
Matthew Dillon 2015-11-13 08:33:04 -07:00
commit 8730b6659f
116 changed files with 1793 additions and 1106 deletions

View file

@ -1,3 +1,3 @@
{ {
"ignore_dirs": ["tmp"] "ignore_dirs": ["tmp", "dist"]
} }

View file

@ -1,9 +1,6 @@
# clostridiumdotinfo # clostridiumdotinfo
Detailed information to come --- for now see the ember-cli boilerplate below. This ember application is an interface for the [bactdb](https://github.com/thermokarst/bactdb).
This README outlines the details of collaborating on this Ember application.
A short introduction of this app could easily go here.
## Prerequisites ## Prerequisites
@ -17,13 +14,14 @@ You will need the following things properly installed on your computer.
## Installation ## Installation
* `git clone <repository-url>` this repository * `git clone https://github.com/thermokarst/hymenobacterdotinfo` this repository
* change into the new directory * change into the new directory
* `npm install` * `npm install`
* `bower install` * `bower install`
## Running / Development ## Running / Development
* Launch `bactdb`
* `ember server` * `ember server`
* Visit your app at [http://localhost:4200](http://localhost:4200). * Visit your app at [http://localhost:4200](http://localhost:4200).
@ -43,7 +41,8 @@ Make use of the many generators for code, try `ember help generate` for more det
### Deploying ### Deploying
Specify what it takes to deploy your app. * `ember build -e staging`
* `firebase deploy`
## Further Reading / Useful Links ## Further Reading / Useful Links

View file

@ -3,14 +3,14 @@ import Resolver from 'ember/resolver';
import loadInitializers from 'ember/load-initializers'; import loadInitializers from 'ember/load-initializers';
import config from './config/environment'; import config from './config/environment';
var App; let App;
Ember.MODEL_FACTORY_INJECTIONS = true; Ember.MODEL_FACTORY_INJECTIONS = true;
App = Ember.Application.extend({ App = Ember.Application.extend({
modulePrefix: config.modulePrefix, modulePrefix: config.modulePrefix,
podModulePrefix: config.podModulePrefix, podModulePrefix: config.podModulePrefix,
Resolver: Resolver Resolver
}); });
loadInitializers(App, config.modulePrefix); loadInitializers(App, config.modulePrefix);

View file

@ -1,7 +1,9 @@
import Ember from 'ember'; import Ember from 'ember';
const { Helper: { helper } } = Ember;
export function equalHelper(params) { export function equalHelper(params) {
return params[0] === params[1]; return params[0] === params[1];
} }
export default Ember.HTMLBars.makeBoundHelper(equalHelper); export default helper(equalHelper);

View file

@ -1,8 +0,0 @@
export function initialize(container, application) {
application.inject('component', 'store', 'service:store');
}
export default {
name: 'component-store',
initialize: initialize
};

View file

@ -2,7 +2,7 @@ export default function() {
// Don't use mirage for development (for now) // Don't use mirage for development (for now)
this.urlPrefix = 'http://127.0.0.1:8901'; this.urlPrefix = 'http://127.0.0.1:8901';
this.namespace = '/api'; this.namespace = '/api';
this.passthrough(); this.passthrough('http://localhost:4200/**', 'http://127.0.0.1:8901/**');
} }
export function testConfig() { export function testConfig() {
@ -10,7 +10,10 @@ export function testConfig() {
this.namespace = '/api/clostridium'; this.namespace = '/api/clostridium';
this.timing = 0; this.timing = 0;
this.get('/users');
this.post('/users');
this.get('/users/:id'); this.get('/users/:id');
this.put('/users/:id');
this.get('/species'); this.get('/species');
this.post('/species'); this.post('/species');
@ -21,4 +24,19 @@ export function testConfig() {
this.post('/characteristics'); this.post('/characteristics');
this.get('/characteristics/:id'); this.get('/characteristics/:id');
this.put('/characteristics/:id'); this.put('/characteristics/:id');
this.get('/strains', function(db /*, request*/) {
return {
strains: db.strains,
species: db.species,
};
});
this.post('/strains');
this.get('/strains/:id', function(db, request) {
return {
strain: db.strains.find(request.params.id),
species: db.species, // Just send back everything we've got
};
});
this.put('/strains/:id');
} }

View file

@ -0,0 +1,17 @@
import Mirage, { faker } from 'ember-cli-mirage';
export default Mirage.Factory.extend({
measurements: [],
characteristics: [],
species: 0,
strainName() { return faker.lorem.words().join(' '); },
typeStrain: faker.random.boolean(),
accessionNumbers() { return faker.lorem.words().join(' '); },
genbank() { return faker.lorem.words().join(' '); },
wholeGenomeSequence() { return faker.lorem.words().join(' '); },
isolatedFrom: faker.lorem.sentences(),
notes: faker.lorem.sentences(),
totalMeasurements: 0,
sortOrder: faker.random.number(),
canEdit: faker.random.boolean(),
});

View file

@ -13,16 +13,12 @@ export default Mixin.create({
const fallbackRoute = this.get('fallbackRouteSave'); const fallbackRoute = this.get('fallbackRouteSave');
model.setProperties(properties); model.setProperties(properties);
model.save().then((model) => {
if (model.get('hasDirtyAttributes')) { this.get('flashMessages').clearMessages();
model.save().then((model) => {
this.transitionToRoute(fallbackRoute, model);
}, () => {
ajaxError(model.get('errors'), this.get('flashMessages'));
});
} else {
this.transitionToRoute(fallbackRoute, model); this.transitionToRoute(fallbackRoute, model);
} }, () => {
ajaxError(model.get('errors'), this.get('flashMessages'));
});
}, },
cancel: function() { cancel: function() {

View file

@ -5,10 +5,12 @@ const { Mixin, inject: { service }} = Ember;
export default Mixin.create({ export default Mixin.create({
currentUser: service('session-account'), currentUser: service('session-account'),
metaData: null, metaData: null,
isAdmin: null,
setupMetaDataOnInit: Ember.on('init', function() { setupMetaDataOnInit: Ember.on('init', function() {
this.get('currentUser.account').then((user) => { this.get('currentUser.account').then((user) => {
this.set('metaData', user.get('metaData')); this.set('metaData', user.get('metaData'));
this.set('isAdmin', user.get('isAdmin'));
}); });
}), }),
}); });

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,30 +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() {
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,13 +1,25 @@
import Ember from 'ember'; import Ember from 'ember';
/* global Quill */ /* global Quill */
export default Ember.Component.extend({ const { Component } = Ember;
quill: null,
export default Component.extend({
// Passed in
value: null, value: null,
update: null,
// Internal
quill: null,
didReceiveAttrs() {
this._super(...arguments);
if (!this.attrs.update) {
throw new Error(`You must provide an \`update\` action.`);
}
},
didInsertElement: function() { didInsertElement: function() {
let quill = new Quill(`#${this.get('elementId')} .editor`, { const quill = new Quill(`#${this.get('elementId')} .editor`, {
formats: ['bold', 'italic', 'underline'], formats: ['bold', 'italic', 'underline'],
modules: { modules: {
'toolbar': { container: `#${this.get('elementId')} .toolbar` } 'toolbar': { container: `#${this.get('elementId')} .toolbar` }

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

@ -6,5 +6,5 @@ const { Controller } = Ember;
export default Controller.extend(SaveModel, { export default Controller.extend(SaveModel, {
// Required for SaveModel mixin // Required for SaveModel mixin
fallbackRouteSave: 'protected.characteristics.show', fallbackRouteSave: 'protected.characteristics.show',
fallbackRouteCancel: 'protected.characteristics.index', fallbackRouteCancel: 'protected.characteristics.show',
}); });

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';
export default Ember.Route.extend({ const { Route, $: { isEmptyObject }, inject: { service } } = Ember;
session: Ember.inject.service('session'),
export default Route.extend({
session: service(),
ajax: 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,23 +29,35 @@ 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`; return this.get('ajax').request('/compare', { data: params });
let options = {
method: 'GET',
data: params,
};
return ajaxRequest(url, options, this.get('session'));
}, },
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,12 +1,12 @@
import Ember from 'ember'; import Ember from 'ember';
import SetupMetaData from '../../../../../mixins/setup-metadata'; import SetupMetaData from '../../../../../mixins/setup-metadata';
const { Component } = Ember; const { Component, computed: { sort } } = Ember;
export default Component.extend(SetupMetaData, { export default Component.extend(SetupMetaData, {
species: null, species: null,
sortParams: ['speciesName', 'strainCount'], sortParams: ['speciesName', 'strainCount'],
sortedSpecies: Ember.computed.sort('species', 'sortParams'), sortedSpecies: sort('species', 'sortParams'),
}); });

View file

@ -1,31 +1,36 @@
import Ember from 'ember'; import Ember from 'ember';
import SaveModel from '../../../../mixins/save-model';
import ajaxError from '../../../../utils/ajax-error'; import ajaxError from '../../../../utils/ajax-error';
export default Ember.Controller.extend({ const { Controller } = Ember;
actions: {
save: function() {
let strain = this.get('strain');
if (strain.get('hasDirtyAttributes')) { export default Controller.extend(SaveModel, {
strain.save().then((strain) => { // Required for SaveModel mixin
this.transitionToRoute('protected.strains.show', strain); fallbackRouteSave: 'protected.strains.show',
}, () => { fallbackRouteCancel: 'protected.strains.show',
ajaxError(strain.get('errors'), this.get('flashMessages'));
}); actions: {
} else { addCharacteristic: function() {
strain.destroyRecord().then(() => { return this.store.createRecord('measurement', {
this.transitionToRoute('protected.strains.show', strain); characteristic: this.store.createRecord('characteristic', { sortOrder: -999 }),
}); });
}
}, },
cancel: function() { saveMeasurement: function(measurement, properties) {
let strain = this.get('strain'); measurement.setProperties(properties);
measurement.save().then(() => {
this.get('flashMessages').clearMessages();
}, () => {
ajaxError(measurement.get('errors'), this.get('flashMessages'));
});
},
strain.get('errors').clear(); deleteMeasurement: function(measurement) {
strain.rollbackAttributes(); const characteristic = measurement.get('characteristic');
if (characteristic.get('isNew')) {
this.transitionToRoute('protected.strains.show', strain); characteristic.destroyRecord();
}
measurement.destroyRecord();
}, },
}, },

View file

@ -1,35 +1,44 @@
import Ember from 'ember'; import Ember from 'ember';
import ElevatedAccess from '../../../../mixins/elevated-access';
export default Ember.Route.extend({ const { Route } = Ember;
currentUser: Ember.inject.service('session-account'),
beforeModel: function(transition) { export default Route.extend(ElevatedAccess, {
this._super(transition); // Required for ElevatedAccess mixin
this.get('currentUser.account').then((user) => { fallbackRouteBefore: 'protected.strains.index',
if (user.get('isReader')) { fallbackRouteAfter: 'protected.strains.show',
this.transitionTo('protected.strains.index');
}
});
},
model: function(params) { model: function(params) {
return Ember.RSVP.hash({ return Ember.RSVP.hash({
strain: this.store.find('strain', params.strain_id), strain: this.store.findRecord('strain', params.strain_id),
species: this.store.findAll('species'), // Need for dropdown species: this.store.findAll('species'), // Need for dropdown
characteristics: this.store.findAll('characteristic'), // Need for dropdown
}); });
}, },
// Overriding afterModel because of RSVP hash
afterModel: function(models) { afterModel: function(models) {
if (!models.strain.get('canEdit')) { if (!models.strain.get('isNew') && !models.strain.get('canEdit')) {
this.transitionTo('strains.show', models.strain.get('id')); this.transitionTo(this.get('fallbackRouteAfter'), models.strain.get('id'));
} }
}, },
// Setting up controller because of RSVP hash
setupController: function(controller, models) { setupController: function(controller, models) {
controller.setProperties(models); controller.set('model', models.strain);
this.get('currentUser.account').then((user) => { controller.set('speciesList', models.species);
controller.set('metaData', user.get('metaData')); controller.set('allCharacteristics', models.characteristics);
});
}, },
actions: {
// Overriding willTransition because of RSVP hash
willTransition: function(/*transition*/) {
const controller = this.get('controller');
const model = controller.get('model');
if (model.get('isNew')) {
model.destroyRecord();
}
},
},
}); });

View file

@ -1,8 +1,11 @@
{{ {{
protected/strains/strain-form protected/strains/strain-form
strain=strain strain=model
species=species speciesList=speciesList
canAdd=metaData.canAdd add-characteristic=(action "addCharacteristic")
save="save" allCharacteristics=allCharacteristics
cancel="cancel" save-measurement=(action "saveMeasurement")
delete-measurement=(action "deleteMeasurement")
on-save=(action "save")
on-cancel=(action "cancel")
}} }}

View file

@ -1,6 +0,0 @@
import Ember from 'ember';
export default Ember.Controller.extend({
sortParams: ['sortOrder'],
sortedStrains: Ember.computed.sort('model', 'sortParams'),
});

View file

@ -1,17 +1,10 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route } = Ember;
currentUser: Ember.inject.service('session-account'),
export default Route.extend({
model: function() { model: function() {
return this.store.findAll('strain'); return this.store.findAll('strain');
}, },
setupController: function(controller, model) {
controller.set('model', model);
this.get('currentUser.account').then((user) => {
controller.set('metaData', user.get('metaData'));
});
},
}); });

View file

@ -0,0 +1,12 @@
import Ember from 'ember';
import SetupMetaData from '../../../../../mixins/setup-metadata';
const { Component, computed: { sort } } = Ember;
export default Component.extend(SetupMetaData, {
strains: null,
sortParams: ['fullName'],
sortedStrains: sort('strains', 'sortParams'),
});

View file

@ -0,0 +1,26 @@
<h3 id="total-strains">Total strains: {{strains.length}}</h3>
{{add-button label="Add Strain" link="protected.strains.new" canAdd=metaData.canAdd}}
<table class="flakes-table">
<thead>
<tr>
<th>Species</th>
<th>Total Measurements</th>
</tr>
</thead>
<tbody>
{{#each sortedStrains as |strain|}}
<tr>
<td>
{{#link-to 'protected.strains.show' strain classBinding="data.typeStrain:type-strain"}}
{{strain.fullNameMU}}
{{/link-to}}
</td>
<td>
{{strain.totalMeasurements}}
</td>
</tr>
{{/each}}
</tbody>
</table>

View file

@ -1,27 +1,6 @@
<h2>{{genus-name}} Strains</h2> <h2>{{genus-name}} Strains</h2>
<h3>Total strains: {{model.length}}</h3>
{{add-button label="Add Strain" link="protected.strains.new" canAdd=metaData.canAdd}} {{
protected/strains/index/strain-table
<table class="flakes-table"> strains=model
<thead> }}
<tr>
<th>Species</th>
<th>Total Measurements</th>
</tr>
</thead>
<tbody>
{{#each sortedStrains as |row|}}
<tr>
<td>
{{#link-to 'protected.strains.show' row classBinding="data.typeStrain:type-strain"}}
{{row.fullNameMU}}
{{/link-to}}
</td>
<td>
{{row.totalMeasurements}}
</td>
</tr>
{{/each}}
</tbody>
</table>

View file

@ -0,0 +1,69 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
tagName: 'tr',
// Read-only attributes
isEditing: false,
allCharacteristics: null,
measurement: null,
isDirty: null,
// Actions
"save-measurement": null,
"delete-measurement": null,
// Property mapping
propertiesList: ['characteristic', 'value', 'notes'],
characteristic: null,
value: null,
notes: null,
resetOnInit: Ember.on('init', function() {
this.get('propertiesList').forEach((field) => {
const valueInMeasurement = this.get('measurement').get(field);
this.set(field, valueInMeasurement);
});
}),
updateField: function(property, value) {
this.set(property, value);
// Manually compare against passed in value
if (this.get('measurement').get(property) !== value) {
this.set('isDirty', true);
} else {
this.set('isDirty', false);
}
},
actions: {
edit: function() {
this.toggleProperty('isEditing');
},
save: function() {
this.attrs['save-measurement'](this.get('measurement'), this.getProperties(this.get('propertiesList')));
this.toggleProperty('isEditing');
},
delete: function() {
this.attrs['delete-measurement'](this.get('measurement'));
},
characteristicDidChange: function(value) {
const newCharacteristic = this.get('allCharacteristics').findBy('id', value);
this.updateField('characteristic', newCharacteristic);
},
valueDidChange: function(value) {
this.updateField('value', value);
},
notesDidChange: function(value) {
this.updateField('notes', value);
},
},
});

View file

@ -0,0 +1,52 @@
{{#if isEditing}}
<td></td>
<td>
<select onchange={{action "characteristicDidChange" value="target.value"}}>
{{#each allCharacteristics as |characteristicChoice|}}
<option value={{characteristicChoice.id}} selected={{equal characteristic.id characteristicChoice.id}}>{{characteristicChoice.characteristicName}}</option>
{{/each}}
</select>
</td>
<td>
{{one-way-input type="text" class="measurement-value" value=value update=(action "valueDidChange")}}
</td>
<td>
{{one-way-input type="text" class="measurement-notes" value=notes update=(action "notesDidChange")}}
</td>
{{#if canEdit}}
<td>
{{#if isDirty}}
<button class="button-green smaller" {{action 'save'}}>
Save
</button>
{{else}}
<button class="button-gray smaller" {{action 'save'}}>
Cancel
</button>
{{/if}}
</td>
{{/if}}
{{else}}
<td>
{{{measurement.characteristic.characteristicTypeName}}}
</td>
<td>
{{#link-to 'protected.characteristics.show' measurement.characteristic.id}}
{{{measurement.characteristic.characteristicName}}}
{{/link-to}}
</td>
<td>
{{measurement.value}}
</td>
<td>
{{measurement.notes}}
</td>
{{#if canEdit}}
<td>
<button class="button-gray smaller" {{action 'edit'}}>
Edit
</button>
{{delete-button delete=(action 'delete')}}
</td>
{{/if}}
{{/if}}

View file

@ -0,0 +1,55 @@
import Ember from 'ember';
const { Component, computed } = Ember;
const { sort } = computed;
export default Component.extend({
// Passed in
strain: null,
allCharacteristics: null,
canEdit: false,
canAdd: false,
// Actions
"add-characteristic": null,
"save-measurement": null,
"delete-measurement": null,
// Properties
sortParams: ['characteristic.characteristicTypeName', 'characteristic.sortOrder', 'characteristic.characteristicName'],
sortAsc: true,
paramsChanged: false,
sortedMeasurements: sort('strain.measurements', 'sortParams'),
measurementsPresent: computed('strain.measurements', function() {
return this.get('strain.measurements.length') > 0;
}),
actions: {
addCharacteristic: function() {
const newChar = this.attrs['add-characteristic']();
this.get('strain.measurements').addObject(newChar);
},
changeSortParam: function(col) {
const sort = this.get('sortAsc') ? 'asc' : 'desc';
this.set('sortParams', [`${col}:${sort}`]);
this.set('paramsChanged', true);
this.toggleProperty('sortAsc');
},
resetSortParam: function() {
this.set('sortParams', ['characteristic.characteristicTypeName', 'characteristic.sortOrder', 'characteristic.characteristicName']);
this.set('paramsChanged', false);
this.set('sortAsc', true);
},
saveMeasurement: function(measurement, properties) {
return this.attrs['save-measurement'](measurement, properties);
},
deleteMeasurement: function(measurement) {
return this.attrs['delete-measurement'](measurement);
},
},
});

View file

@ -1,17 +1,17 @@
{{#if canAdd}} {{#if canAdd}}
<br> <br>
<button class="button-green smaller" {{action "addCharacteristic"}}> <button class="button-green smaller" {{action "addCharacteristic"}}>
Add characteristic Add characteristic
</button> </button>
<br><br> <br><br>
{{/if}} {{/if}}
{{#if measurementsPresent}} {{#if measurementsPresent}}
{{#if paramsChanged}} {{#if paramsChanged}}
<button class="button-gray smaller" {{action 'resetSortParam'}}> <button class="button-gray smaller" {{action 'resetSortParam'}}>
Reset sort Reset sort
</button> </button>
{{/if}} {{/if}}
<table class="flakes-table"> <table class="flakes-table">
<colgroup> <colgroup>
{{#if canEdit}} {{#if canEdit}}
@ -41,8 +41,11 @@
<tbody> <tbody>
{{#each sortedMeasurements as |measurement|}} {{#each sortedMeasurements as |measurement|}}
{{ {{
protected/strains/show/measurements-table-row protected/strains/measurements-table-row
row=measurement measurement=measurement
save-measurement=(action "saveMeasurement")
delete-measurement=(action "deleteMeasurement")
allCharacteristics=allCharacteristics
canEdit=canEdit canEdit=canEdit
}} }}
{{/each}} {{/each}}

View file

@ -1,29 +1,10 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxError from '../../../../utils/ajax-error'; import SaveModel from '../../../../mixins/save-model';
export default Ember.Controller.extend({ const { Controller } = Ember;
actions: {
save: function() {
let strain = this.get('strain');
if (strain.get('hasDirtyAttributes')) { export default Controller.extend(SaveModel, {
strain.save().then((strain) => { // Required for SaveModel mixin
this.transitionToRoute('protected.strains.show', strain); fallbackRouteSave: 'protected.strains.show',
}, () => { fallbackRouteCancel: 'protected.strains.index',
ajaxError(strain.get('errors'), this.get('flashMessages'));
});
} else {
strain.destroyRecord().then(() => {
this.transitionToRoute('protected.strains.index');
});
}
},
cancel: function() {
this.get('strain').destroyRecord().then(() => {
this.transitionToRoute('protected.strains.index');
});
},
},
}); });

View file

@ -1,16 +1,12 @@
import Ember from 'ember'; import Ember from 'ember';
import ElevatedAccess from '../../../../mixins/elevated-access';
export default Ember.Route.extend({ const { Route } = Ember;
currentUser: Ember.inject.service('session-account'),
beforeModel: function(transition) { export default Route.extend(ElevatedAccess, {
this._super(transition); // Required for ElevatedAccess mixin
this.get('currentUser.account').then((user) => { fallbackRouteBefore: 'protected.strains.index',
if (user.get('isReader')) { fallbackRouteAfter: 'protected.strains.show',
this.transitionTo('protected.strains.index');
}
});
},
model: function() { model: function() {
return Ember.RSVP.hash({ return Ember.RSVP.hash({
@ -19,19 +15,28 @@ export default Ember.Route.extend({
}); });
}, },
// Overriding afterModel because of RSVP hash
afterModel: function(models) {
if (!models.strain.get('isNew') && !models.strain.get('canEdit')) {
this.transitionTo(this.get('fallbackRouteAfter'), models.strain.get('id'));
}
},
// Setting up controller because of RSVP hash
setupController: function(controller, models) { setupController: function(controller, models) {
controller.setProperties(models); controller.set('model', models.strain);
controller.set('speciesList', models.species);
}, },
actions: { actions: {
// Overriding willTransition because of RSVP hash
willTransition: function(/*transition*/) { willTransition: function(/*transition*/) {
const controller = this.get('controller'); const controller = this.get('controller');
const strain = controller.get('strain'); const model = controller.get('model');
if (strain.get('isNew')) { if (model.get('isNew')) {
strain.destroyRecord(); model.destroyRecord();
} }
}, },
}, },
}); });

View file

@ -1,7 +1,7 @@
{{ {{
protected/strains/strain-form protected/strains/strain-form
strain=strain strain=model
species=species speciesList=speciesList
save="save" on-save=(action "save")
cancel="cancel" on-cancel=(action "cancel")
}} }}

View file

@ -1,12 +1,9 @@
import Ember from 'ember'; import Ember from 'ember';
import DeleteModel from '../../../../mixins/delete-model';
export default Ember.Controller.extend({ const { Controller } = Ember;
actions: {
delete: function() {
this.get('model').destroyRecord().then(() => {
this.transitionToRoute('protected.strains.index');
});
},
},
export default Controller.extend(DeleteModel, {
// Required for DeleteModel mixin
transitionRoute: 'protected.strains.index',
}); });

View file

@ -1,47 +0,0 @@
import Ember from 'ember';
import ajaxError from '../../../../../utils/ajax-error';
export default Ember.Component.extend({
tagName: 'tr',
isEditing: false,
oldCharacteristicId: function() {
let json = this.get('row').toJSON();
return json.characteristic;
}.property(),
rowChanged: Ember.computed('row.notes', 'row.value', 'row.characteristic.id', function() {
return this.get('row.hasDirtyAttributes') ||
this.get('oldCharacteristicId') !== this.get('row.characteristic.id');
}),
actions: {
edit: function() {
// The parent table fetches all of the characteristics ahead of time
this.set('characteristics', this.store.peekAll('characteristic'));
this.toggleProperty('isEditing');
},
save: function() {
if (this.get('rowChanged')) {
this.get('row').save().then(() => {
this.get('flashMessages').clearMessages();
this.toggleProperty('isEditing');
}, () => {
ajaxError(this.get('row.errors'), this.get('flashMessages'));
});
} else {
this.toggleProperty('isEditing');
}
},
delete: function() {
let char = this.get('row.characteristic');
if (char.get('isNew')) {
char.destroyRecord();
}
this.get('row').destroyRecord();
}
},
});

View file

@ -1,54 +0,0 @@
{{#if isEditing}}
<td></td>
<td>
{{
select-2
multiple=false
content=characteristics
value=row.characteristic
optionLabelPath="characteristicName"
}}
</td>
<td>
{{input value=row.value}}
</td>
<td>
{{input value=row.notes}}
</td>
{{#if canEdit}}
<td>
{{#if rowChanged}}
<button class="button-green smaller" {{action 'save'}}>
Save
</button>
{{else}}
<button class="button-gray smaller" {{action 'save'}}>
Cancel
</button>
{{/if}}
</td>
{{/if}}
{{else}}
<td>
{{{row.characteristic.characteristicTypeName}}}
</td>
<td>
{{#link-to 'protected.characteristics.show' row.characteristic.id}}
{{{row.characteristic.characteristicName}}}
{{/link-to}}
</td>
<td>
{{row.value}}
</td>
<td>
{{row.notes}}
</td>
{{#if canEdit}}
<td>
<button class="button-gray smaller" {{action 'edit'}}>
Edit
</button>
{{delete-button delete=(action 'delete')}}
</td>
{{/if}}
{{/if}}

View file

@ -1,47 +0,0 @@
import Ember from 'ember';
export default Ember.Component.extend({
measurementsPresent: function() {
return this.get('model.measurements.length') > 0;
}.property('model.measurements'),
fetchCharacteristics: function() {
if (this.get('canEdit')) {
this.store.findAll('characteristic');
}
}.on('didInsertElement'),
sortParams: ['characteristic.characteristicTypeName', 'characteristic.sortOrder', 'characteristic.characteristicName'],
sortAsc: true,
paramsChanged: false,
sortedMeasurements: Ember.computed.sort('model.measurements', 'sortParams'),
actions: {
addCharacteristic: function() {
const c = this.store.createRecord('characteristic', {
sortOrder: -999
});
const m = this.store.createRecord('measurement', {
characteristic: c
});
this.get('model.measurements').addObject(m);
},
changeSortParam: function(col) {
let sort = this.get('sortAsc') ? 'asc' : 'desc';
let sortCol = `${col}:${sort}`;
this.set('sortParams', [sortCol]);
this.set('paramsChanged', true);
this.toggleProperty('sortAsc');
return false;
},
resetSortParam: function() {
this.set('sortParams', ['characteristic.characteristicTypeName', 'characteristic.sortOrder', 'characteristic.characteristicName']);
this.set('paramsChanged', false);
this.set('sortAsc', true);
return false;
},
},
});

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({
model: function(params) { model: function(params) {
return this.store.findRecord('strain', params.strain_id, { reload: true }); return this.store.findRecord('strain', params.strain_id);
}, },
}); });

View file

@ -0,0 +1,14 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
strain: null,
"on-delete": null,
actions: {
deleteStrain: function() {
return this.attrs['on-delete']();
},
},
});

View file

@ -0,0 +1,105 @@
<div class="span-1">
<fieldset class="flakes-information-box">
<legend>
{{strain.strainNameMU}}
</legend>
{{! ROW 1 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Species</dt>
<dd>
{{#link-to 'protected.species.show' strain.species.id}}
<em>{{strain.species.speciesNameMU}}</em>
{{/link-to}}
</dd>
</dl>
<dl class="span-1">
<dt>Type Strain?</dt>
<dd>
{{if strain.typeStrain 'Yes' 'No'}}
</dd>
</dl>
</div>
{{! ROW 2 }}
<div class="grid-3 gutter-20">
<dl class="span-1">
<dt>Accession Numbers</dt>
<dd>
{{strain.accessionNumbers}}
</dd>
</dl>
<dl class="span-1">
<dt>Genbank</dt>
<dd>
{{genbank-url genbank=strain.genbank}}
</dd>
</dl>
<dl class="span-1">
<dt>Whole Genome Sequence</dt>
<dd>
{{genbank-url genbank=strain.wholeGenomeSequence}}
</dd>
</dl>
</div>
{{! ROW 3 }}
<div class="grid-1 gutter-20">
<dl class="span-1">
<dt>Isolated From</dt>
<dd>
{{{strain.isolatedFrom}}}
</dd>
</dl>
</div>
{{! ROW 4 }}
<div class="grid-1 gutter-20">
<dl class="span-1">
<dt>Notes</dt>
<dd>
{{#if strain.notes}}
{{{strain.notes}}}
{{else}}
No notes.
{{/if}}
</dd>
</dl>
</div>
{{! ROW 5 }}
<div class="grid-1 gutter-20">
<dl class="span-1">
<dt>Characteristics</dt>
<dd>
{{
protected/strains/measurements-table
strain=strain
canEdit=false
canAdd=false
}}
</dd>
</dl>
</div>
{{! ROW 6 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Record Created</dt>
<dd>{{null-time strain.createdAt 'LL'}}</dd>
</dl>
<dl class="span-1">
<dt>Record Updated</dt>
<dd>{{null-time strain.updatedAt 'LL'}}</dd>
</dl>
</div>
</fieldset>
</div>
{{#if strain.canEdit}}
<br>
{{#link-to 'protected.strains.edit' strain.id class="button-gray smaller"}}
Edit
{{/link-to}}
{{delete-button delete=(action 'deleteStrain')}}
{{/if}}

View file

@ -1,105 +1,5 @@
<div class="span-1"> {{
<fieldset class="flakes-information-box"> protected/strains/show/strain-card
<legend> strain=model
Strain {{model.strainNameMU}} on-delete=(action 'delete')
</legend> }}
{{! ROW 1 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Species</dt>
<dd>
{{#link-to 'protected.species.show' model.species.id}}
<em>{{model.species.speciesNameMU}}</em>
{{/link-to}}
</dd>
</dl>
<dl class="span-1">
<dt>Type Strain?</dt>
<dd>
{{if model.typeStrain 'Yes' 'No'}}
</dd>
</dl>
</div>
{{! ROW 2 }}
<div class="grid-3 gutter-20">
<dl class="span-1">
<dt>Accession Numbers</dt>
<dd>
{{model.accessionNumbers}}
</dd>
</dl>
<dl class="span-1">
<dt>Genbank</dt>
<dd>
{{genbank-url genbank=model.genbank}}
</dd>
</dl>
<dl class="span-1">
<dt>Whole Genome Sequence</dt>
<dd>
{{genbank-url genbank=model.wholeGenomeSequence}}
</dd>
</dl>
</div>
{{! ROW 3 }}
<div class="grid-1 gutter-20">
<dl class="span-1">
<dt>Isolated From</dt>
<dd>
{{{model.isolatedFrom}}}
</dd>
</dl>
</div>
{{! ROW 4 }}
<div class="grid-1 gutter-20">
<dl class="span-1">
<dt>Notes</dt>
<dd>
{{#if model.notes}}
{{{model.notes}}}
{{else}}
No notes.
{{/if}}
</dd>
</dl>
</div>
{{! ROW 5 }}
<div class="grid-1 gutter-20">
<dl class="span-1">
<dt>Characteristics</dt>
<dd>
{{
protected/strains/show/measurements-table
model=model
canEdit=false
canAdd=false
}}
</dd>
</dl>
</div>
{{! ROW 6 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Record Created</dt>
<dd>{{null-time model.createdAt 'LL'}}</dd>
</dl>
<dl class="span-1">
<dt>Record Updated</dt>
<dd>{{null-time model.updatedAt 'LL'}}</dd>
</dl>
</div>
</fieldset>
</div>
{{#if model.canEdit}}
<br>
{{#link-to 'protected.strains.edit' model.id class="button-gray smaller"}}
Edit
{{/link-to}}
{{delete-button delete=(action 'delete')}}
{{/if}}

View file

@ -1,21 +1,106 @@
import Ember from 'ember'; import Ember from 'ember';
import SetupMetaData from '../../../../mixins/setup-metadata';
const { Component } = Ember;
export default Component.extend(SetupMetaData, {
// Read-only attributes
strain: null,
isNew: null,
isDirty: false,
speciesList: null,
allCharacteristics: null,
// Actions
"on-save": null,
"on-cancel": null,
"on-update": null,
"add-characteristic": null,
"save-measurement": null,
"delete-measurement": null,
// Property mapping
propertiesList: ['strainName', 'typeStrain', 'species', 'isolatedFrom', 'accessionNumbers', 'genbank', 'wholeGenomeSequence', 'notes'],
strainName: null,
typeStrain: null,
species: null,
isolatedFrom: null,
accessionNumbers: null,
genbank: null,
wholeGenomeSequence: null,
notes: null,
resetOnInit: Ember.on('init', function() {
this.get('propertiesList').forEach((field) => {
const valueInStrain = this.get('strain').get(field);
this.set(field, valueInStrain);
});
// Read-only attributes
this.set('isNew', this.get('strain.isNew'));
}),
updateField: function(property, value) {
this.set(property, value);
// Manually compare against passed in value
if (this.get('strain').get(property) !== value) {
this.set('isDirty', true);
} else {
this.set('isDirty', false);
}
},
export default Ember.Component.extend({
actions: { actions: {
save: function() { save: function() {
this.sendAction('save'); return this.attrs['on-save'](this.getProperties(this.get('propertiesList')));
}, },
cancel: function() { cancel: function() {
this.sendAction('cancel'); return this.attrs['on-cancel']();
},
addCharacteristic: function() {
return this.attrs['add-characteristic']();
},
saveMeasurement: function(measurement, properties) {
return this.attrs['save-measurement'](measurement, properties);
},
deleteMeasurement: function(measurement) {
return this.attrs['delete-measurement'](measurement);
},
strainNameDidChange: function(value) {
this.updateField('strainName', value);
},
typeStrainDidChange: function() {
this.updateField('typeStrain', !this.get('typeStrain'));
},
speciesDidChange: function(value) {
const newSpecies = this.get('speciesList').findBy('id', value);
this.updateField('species', newSpecies);
}, },
isolatedFromDidChange: function(value) { isolatedFromDidChange: function(value) {
this.set('strain.isolatedFrom', value); this.updateField('isolatedFrom', value);
},
accessionNumbersNameDidChange: function(value) {
this.updateField('accessionNumbers', value);
},
genbankDidChange: function(value) {
this.updateField('genbank', value);
},
wholeGenomeSequenceDidChange: function(value) {
this.updateField('wholeGenomeSequence', value);
}, },
notesDidChange: function(value) { notesDidChange: function(value) {
this.set('strain.notes', value); this.updateField('strain.notes', value);
}, },
}, },
}); });

View file

@ -1,68 +1,72 @@
<form class="grid-form" {{action 'save' on='submit'}}> <form class="grid-form" {{action 'save' on='submit'}}>
<fieldset> <fieldset>
<legend><em>{{strain.strainName}}</em></legend> <legend><em>{{strainName}}</em></legend>
<div data-row-span="2"> <div data-row-span="2">
<div data-field-span="1"> <div data-field-span="1">
<label>Strain Name</label> <label>Strain Name</label>
{{input value=strain.strainName}} {{one-way-input type="text" class="strain-name" value=strainName update=(action "strainNameDidChange")}}
</div> </div>
<div data-field-span="1"> <div data-field-span="1">
<label>Type Strain?</label> <label>Type Strain?</label>
{{input type="checkbox" checked=strain.typeStrain}} {{if strain.typeStrain 'Yes' 'No'}} <input type="checkbox" checked={{typeStrain}} value="{{typeStrain}}" onchange={{action "typeStrainDidChange"}}>
{{if typeStrain 'Yes' 'No'}}
</div> </div>
</div> </div>
<div data-row-span="2"> <div data-row-span="2">
<div data-field-span="2"> <div data-field-span="2">
<label>Species</label> <label>Species</label>
{{ <select onchange={{action "speciesDidChange" value="target.value"}}>
select-2 {{#each speciesList as |speciesChoice|}}
content=species <option value={{speciesChoice.id}} selected={{equal species.id speciesChoice.id}}>{{speciesChoice.speciesName}}</option>
optionLabelPath="speciesName" {{/each}}
value=strain.species </select>
}}
</div> </div>
</div> </div>
<div data-row-span="2"> <div data-row-span="2">
<div data-field-span="2"> <div data-field-span="2">
<label>Isolated From</label> <label>Isolated From</label>
{{text-editor value=strain.isolatedFrom update=(action "isolatedFromDidChange")}} {{text-editor value=isolatedFrom update=(action "isolatedFromDidChange")}}
</div> </div>
</div> </div>
<div data-row-span="3"> <div data-row-span="3">
<div data-field-span="1"> <div data-field-span="1">
<label>Accession Numbers</label> <label>Accession Numbers</label>
{{input value=strain.accessionNumbers}} {{one-way-input type="text" class="accession-numbers" value=accessionNumbers update=(action "accessionNumbersNameDidChange")}}
</div> </div>
<div data-field-span="1"> <div data-field-span="1">
<label>GenBank</label> <label>GenBank</label>
{{input value=strain.genbank}} {{one-way-input type="text" class="genbank" value=genbank update=(action "genbankDidChange")}}
</div> </div>
<div data-field-span="1"> <div data-field-span="1">
<label>Whole Genome Sequence</label> <label>Whole Genome Sequence</label>
{{input value=strain.wholeGenomeSequence}} {{one-way-input type="text" class="whole-genome-sequenc" value=wholeGenomeSequence update=(action "wholeGenomeSequenceDidChange")}}
</div> </div>
</div> </div>
<div data-row-span="2"> <div data-row-span="2">
<div data-field-span="2"> <div data-field-span="2">
<label>Notes</label> <label>Notes</label>
{{text-editor value=strain.notes update=(action "notesDidChange")}} {{text-editor value=notes update=(action "notesDidChange")}}
</div> </div>
</div> </div>
</fieldset> </fieldset>
<div> <div>
{{ {{
protected/strains/show/measurements-table protected/strains/measurements-table
model=strain strain=strain
add-characteristic=(action "addCharacteristic")
allCharacteristics=allCharacteristics
save-measurement=(action "saveMeasurement")
delete-measurement=(action "deleteMeasurement")
canEdit=strain.canEdit canEdit=strain.canEdit
canAdd=canAdd canAdd=metaData.canAdd
}} }}
</div> </div>
<br> <br>
<a class="button-red smaller" {{action 'cancel'}}> <a class="button-red smaller" {{action 'cancel'}}>
Cancel Cancel
</a> </a>
{{#if strain.hasDirtyAttributes}} {{#if isDirty}}
<button type="submit" class="button-green smaller"> <button type="submit" class="button-green smaller save-strain">
Save Save
</button> </button>
{{/if}} {{/if}}

View file

@ -1,33 +1,23 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxRequest from '../../../../utils/ajax-request';
export default Ember.Controller.extend({ const { Controller, inject: { service } } = Ember;
session: Ember.inject.service('session'),
currentUser: Ember.inject.service('session-account'),
passwordConfirm: null, export default Controller.extend({
session: service(),
ajax: service(),
currentUser: service('session-account'),
actions: { actions: {
save: function() { save: function(password) {
if (this.get('password') !== this.get('passwordConfirm')) { const id = this.get('currentUser.account.id');
this.get('flashMessages').clearMessages(); const data = { id: id, password: password };
this.get('flashMessages').error("Password fields don't match"); this.get('ajax').post('/users/password', { data: data });
return; this.transitionToRoute('protected.users.show', id);
}
let url = `${this.get('globals.apiURL')}/api/${this.get('globals.genus')}/users/password`;
let options = {
method: 'POST',
data: {
id: this.get('currentUser.account.id'),
password: this.get('password'),
},
};
ajaxRequest(url, options, this.get('session'));
this.transitionToRoute('protected.users.index');
this.get('flashMessages').information('Your password has been changed.'); this.get('flashMessages').information('Your password has been changed.');
}, },
cancel: function() {
this.transitionToRoute('protected.users.show', this.get('currentUser.account.id'));
},
}, },
}); });

View file

@ -0,0 +1,52 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
password: null,
passwordConfirm: null,
matches: false,
// Actions
"on-save": null,
"on-cancel": null,
updateField: function(property, value) {
this.set(property, value);
this.verifyPassword(this.get('password'), this.get('passwordConfirm'));
},
verifyPassword: function(password, passwordConfirm) {
if (password && passwordConfirm) {
if (password !== passwordConfirm) {
this.get('flashMessages').clearMessages();
this.get('flashMessages').error("Password fields don't match");
this.set('matches', false);
} else {
this.get('flashMessages').clearMessages();
this.set('matches', true);
}
}
},
actions: {
save: function() {
this.verifyPassword(this.get('password'), this.get('passwordConfirm'));
if (this.get('matches')) {
return this.attrs['on-save'](this.get('password'));
}
},
cancel: function() {
return this.attrs['on-cancel']();
},
passwordDidChange: function(value) {
this.updateField('password', value);
},
passwordConfirmDidChange: function(value) {
this.updateField('passwordConfirm', value);
},
},
});

View file

@ -0,0 +1,29 @@
<div class="grid-1">
<div class="span-1">
<fieldset>
<legend>Change password</legend>
<form {{action 'save' on='submit'}}>
<ul>
<li>
<label>New Password</label>
{{one-way-input type="password" class="password" value=password update=(action "passwordDidChange")}}
</li>
<li>
<label>New Password (confirm)</label>
{{one-way-input type="password" class="password-confirm" value=passwordConfirm update=(action "passwordConfirmDidChange")}}
</li>
<li>
<a class="button-red smaller" {{action 'cancel'}}>
Cancel
</a>
{{#if matches}}
<button type="submit" class="button-green smaller submit-password">
Submit
</button>
{{/if}}
</li>
</ul>
</form>
</fieldset>
</div>
</div>

View file

@ -1,16 +1,19 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route, inject: { service } } = Ember;
currentUser: Ember.inject.service('session-account'),
export default Route.extend({
currentUser: service('session-account'),
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);
let user_id = transition.params['protected.users.changepassword'].user_id; // Only the logged in user can change their password
const user_id = transition.params['protected.users.changepassword'].user_id;
this.get('currentUser.account').then((user) => { this.get('currentUser.account').then((user) => {
if (user.get('id') !== user_id) { if (user.get('id') !== user_id) {
this.transitionTo('protected.users.index'); this.transitionTo('protected.users.show', user.get('id'));
} }
}); });
} }

View file

@ -1,24 +1,5 @@
<div class="grid-1"> {{
<div class="span-1"> protected/users/changepassword/password-form
<fieldset> on-save=(action "save")
<legend>Change password</legend> on-cancel=(action "cancel")
<form {{action 'save' on='submit'}}> }}
<ul>
<li>
<label>New Password</label>
{{input type="password" value=password}}
</li>
<li>
<label>New Password (confirm)</label>
{{input type="password" value=passwordConfirm}}
</li>
<li>
<button type="submit" class="button-green smaller">
Submit
</button>
</li>
</ul>
</form>
</fieldset>
</div>
</div>

View file

@ -1,40 +1,10 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxError from '../../../../utils/ajax-error'; import SaveModel from '../../../../mixins/save-model';
export default Ember.Controller.extend({ const { Controller } = Ember;
actions: {
save: function() {
let user = this.get('model');
if (user.get('hasDirtyAttributes')) { export default Controller.extend(SaveModel, {
let attrs = user.changedAttributes(), roleChanged = false; // Required for SaveModel mixin
if (attrs.role) { fallbackRouteSave: 'protected.users.show',
roleChanged = true; fallbackRouteCancel: 'protected.users.show',
}
user.save().then((user) => {
this.get('flashMessages').clearMessages();
if (roleChanged) {
// Need to clear the store so that canEdit and canAdd
// attributes reflect the new role.
this.get('store').unloadAll();
}
this.transitionToRoute('protected.users.show', user);
}, () => {
ajaxError(user.get('errors'), this.get('flashMessages'));
});
} else {
this.transitionToRoute('protected.users.show', user);
}
},
cancel: function() {
let user = this.get('model');
user.get('errors').clear();
user.rollbackAttributes();
this.transitionToRoute('protected.users.show', user);
},
},
}); });

View file

@ -1,8 +1,12 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route, inject: { service } } = Ember;
currentUser: Ember.inject.service('session-account'),
export default Route.extend({
currentUser: service('session-account'),
// Not using ElevatedAccess Mixin because the rules for viewing user accounts
// is slightly different.
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);
@ -16,7 +20,7 @@ export default Ember.Route.extend({
}, },
model: function(params) { model: function(params) {
return this.store.findRecord('user', params.user_id, { reload: true }); return this.store.findRecord('user', params.user_id);
}, },
}); });

View file

@ -1,7 +1,6 @@
{{ {{
protected/users/user-form protected/users/user-form
user=model user=model
currentUser=currentUser.account on-save=(action "save")
save="save" on-cancel=(action "cancel")
cancel="cancel"
}} }}

View file

@ -1,7 +1,9 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route, inject: { service } } = Ember;
currentUser: Ember.inject.service('session-account'),
export default Route.extend({
currentUser: service('session-account'),
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);

View file

@ -1,33 +1,6 @@
<h2>{{genus-name}} Users</h2> <h2>{{genus-name}} Users</h2>
<h3>Total users: {{model.length}}</h3>
<table class="flakes-table"> {{
<thead> protected/users/index/users-table
<tr> users=model
<th>Name</th> }}
<th>Email</th>
<th>Role</th>
<th>Date Registered</th>
</tr>
</thead>
<tbody>
{{#each model as |row|}}
<tr>
<td>
{{#link-to 'protected.users.show' row}}
{{row.name}}
{{/link-to}}
</td>
<td>
{{row.email}}
</td>
<td>
{{row.fullRole}}
</td>
<td>
{{null-time row.createdAt 'LL'}}
</td>
</tr>
{{/each}}
</tbody>
</table>

View file

@ -0,0 +1,7 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
users: null,
});

View file

@ -0,0 +1,33 @@
<h3 id="total-users">Total users: {{users.length}}</h3>
<table class="flakes-table">
<thead>
<tr>
<th>Name</th>
<th>Email</th>
<th>Role</th>
<th>Date Registered</th>
</tr>
</thead>
<tbody>
{{#each users as |user|}}
<tr>
<td>
{{#link-to 'protected.users.show' user}}
{{user.name}}
{{/link-to}}
</td>
<td>
{{user.email}}
</td>
<td>
{{user.fullRole}}
</td>
<td>
{{null-time user.createdAt 'LL'}}
</td>
</tr>
{{/each}}
</tbody>
</table>

View file

@ -1,9 +1,9 @@
import Ember from 'ember'; import Ember from 'ember';
import DeleteModel from '../../../../mixins/delete-model';
export default Ember.Controller.extend({ const { Controller } = Ember;
currentUser: Ember.inject.service('session-account'),
isUser: Ember.computed('model.id', 'currentUser.account.id', function() { export default Controller.extend(DeleteModel, {
return this.get('model.id') === this.get('currentUser.account.id'); // Required for DeleteModel mixin
}), transitionRoute: 'protected.index',
}); });

View file

@ -1,21 +1,25 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Route.extend({ const { Route, inject: { service } } = Ember;
currentUser: Ember.inject.service('session-account'),
export default Route.extend({
currentUser: service('session-account'),
// Not using ElevatedAccess Mixin because the rules for viewing user accounts
// is slightly different.
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);
this.get('currentUser.account').then((currentUser) => { this.get('currentUser.account').then((user) => {
let user_id = transition.params['protected.users.show'].user_id; const user_id = transition.params['protected.users.show'].user_id;
if (!currentUser.get('isAdmin') && currentUser.get('id') !== user_id) { if (!user.get('isAdmin') && user.get('id') !== user_id) {
this.transitionTo('protected.users.index'); this.transitionTo('protected.users.index');
} }
}); });
}, },
model: function(params) { model: function(params) {
return this.store.findRecord('user', params.user_id, { reload: true }); return this.store.findRecord('user', params.user_id);
}, },
}); });

View file

@ -1,53 +1,5 @@
<div class="span-1"> {{
<fieldset class="flakes-information-box"> protected/users/show/user-card
<legend> user=model
{{model.name}} on-delete=(action 'delete')
</legend> }}
{{! ROW 1 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Email</dt>
<dd>
{{model.email}}
</dd>
</dl>
<dl class="span-1">
<dt>Role</dt>
<dd>
{{model.fullRole}}
</dd>
</dl>
</div>
{{! ROW 2 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Record Created</dt>
<dd>{{null-time model.createdAt 'LL'}}</dd>
</dl>
<dl class="span-1">
<dt>Record Updated</dt>
<dd>{{null-time model.updatedAt 'LL'}}</dd>
</dl>
</div>
</fieldset>
</div>
<br>
<div class="grid-2 gutter-20">
{{#if isUser}}
<div class="span-1">
{{#link-to 'protected.users.changepassword' model.id class="button-gray smaller"}}
Change Password
{{/link-to}}
</div>
{{/if}}
<div class="span-1">
{{#if model.canEdit}}
{{#link-to 'protected.users.edit' model.id class="button-gray smaller"}}
Edit
{{/link-to}}
{{/if}}
</div>
</div>

View file

@ -0,0 +1,13 @@
import Ember from 'ember';
const { Component, computed, inject: { service } } = Ember;
export default Component.extend({
currentUser: service('session-account'),
user: null,
isUser: computed('user.id', 'currentUser.account.id', function() {
return this.get('user.id') === this.get('currentUser.account.id');
}),
});

View file

@ -0,0 +1,53 @@
<div class="span-1">
<fieldset class="flakes-information-box">
<legend>
{{user.name}}
</legend>
{{! ROW 1 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Email</dt>
<dd>
{{user.email}}
</dd>
</dl>
<dl class="span-1">
<dt>Role</dt>
<dd>
{{user.fullRole}}
</dd>
</dl>
</div>
{{! ROW 2 }}
<div class="grid-2 gutter-20">
<dl class="span-1">
<dt>Record Created</dt>
<dd>{{null-time user.createdAt 'LL'}}</dd>
</dl>
<dl class="span-1">
<dt>Record Updated</dt>
<dd>{{null-time user.updatedAt 'LL'}}</dd>
</dl>
</div>
</fieldset>
</div>
<br>
<div class="grid-2 gutter-20">
{{#if isUser}}
<div class="span-1">
{{#link-to 'protected.users.changepassword' user.id class="button-gray smaller"}}
Change Password
{{/link-to}}
</div>
{{/if}}
<div class="span-1">
{{#if user.canEdit}}
{{#link-to 'protected.users.edit' user.id class="button-gray smaller"}}
Edit
{{/link-to}}
{{/if}}
</div>
</div>

View file

@ -1,15 +1,61 @@
import Ember from 'ember'; import Ember from 'ember';
import SetupMetaData from '../../../../mixins/setup-metadata';
export default Ember.Component.extend({ const { Component } = Ember;
export default Component.extend(SetupMetaData, {
// Read-only attributes
user: null,
isDirty: false,
roles: Ember.String.w('A R W'), roles: Ember.String.w('A R W'),
// Actions
"on-save": null,
"on-cancel": null,
"on-update": null,
// Property mapping
propertiesList: ['name', 'email', 'role'],
name: null,
email: null,
role: null,
resetOnInit: Ember.on('init', function() {
this.get('propertiesList').forEach((field) => {
const valueInUser = this.get('user').get(field);
this.set(field, valueInUser);
});
}),
updateField: function(property, value) {
this.set(property, value);
// Manually compare against passed in value
if (this.get('user').get(property) !== value) {
this.set('isDirty', true);
} else {
this.set('isDirty', false);
}
},
actions: { actions: {
save: function() { save: function() {
this.sendAction('save'); return this.attrs['on-save'](this.getProperties(this.get('propertiesList')));
}, },
cancel: function() { cancel: function() {
this.sendAction('cancel'); return this.attrs['on-cancel']();
}, },
}
nameDidChange: function(value) {
this.updateField('name', value);
},
emailDidChange: function(value) {
this.updateField('email', value);
},
roleDidChange: function(value) {
this.updateField('role', value);
},
},
}); });

View file

@ -1,29 +1,29 @@
<form class="grid-form" {{action 'save' on='submit'}}> <form class="grid-form" {{action 'save' on='submit'}}>
<fieldset> <fieldset>
<legend><em>{{user.name}}</em></legend> <legend><em>{{name}}</em></legend>
<div data-row-span="1"> <div data-row-span="1">
<div data-field-span="1"> <div data-field-span="1">
<label>Name</label> <label>Name</label>
{{input value=user.name}} {{one-way-input type="text" class="user-name" value=name update=(action "nameDidChange")}}
</div> </div>
</div> </div>
<div data-row-span="1"> <div data-row-span="1">
<div data-field-span="1"> <div data-field-span="1">
<label>Email</label> <label>Email</label>
{{input value=user.email}} {{one-way-input type="text" class="email" value=email update=(action "emailDidChange")}}
</div> </div>
</div> </div>
<div data-row-span="1"> <div data-row-span="1">
<div data-field-span="1"> <div data-field-span="1">
<label>Role</label> <label>Role</label>
{{#if session.currentUser.isAdmin}} {{#if isAdmin}}
<select onchange={{action (mut user.role) value="target.value"}}> <select onchange={{action "roleDidChange" value="target.value"}}>
{{#each roles as |roleChoice|}} {{#each roles as |roleChoice|}}
<option value={{roleChoice}} selected={{equal user.role roleChoice}}>{{roleChoice}}</option> <option value={{roleChoice}} selected={{equal role roleChoice}}>{{roleChoice}}</option>
{{/each}} {{/each}}
</select> </select>
{{else}} {{else}}
{{user.role}} {{role}} {{!-- Not editable --}}
{{/if}} {{/if}}
</div> </div>
</div> </div>
@ -32,8 +32,8 @@
<a class="button-red smaller" {{action 'cancel'}}> <a class="button-red smaller" {{action 'cancel'}}>
Cancel Cancel
</a> </a>
{{#if user.hasDirtyAttributes}} {{#if isDirty}}
<button type="submit" class="button-green smaller"> <button type="submit" class="button-green smaller save-user">
Save Save
</button> </button>
{{/if}} {{/if}}

View file

@ -1,6 +1,8 @@
import Ember from 'ember'; import Ember from 'ember';
export default Ember.Controller.extend({ const { Controller } = Ember;
queryParams: ['token'],
export default Controller.extend({
queryParams: ['token'],
token: null,
}); });

View file

@ -1,14 +1,16 @@
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, get, inject: { service } } = Ember;
session: Ember.inject.service('session'),
currentUser: Ember.inject.service('session-account'), export default Route.extend(UnauthenticatedRouteMixin, {
session: service(),
currentUser: service('session-account'),
beforeModel: function(transition) { beforeModel: function(transition) {
this._super(transition); this._super(transition);
let token = Ember.get(transition, 'queryParams.token'); const token = get(transition, 'queryParams.token');
this.get('session').authenticate('authenticator:jwt-resolved', token).then(() => { this.get('session').authenticate('authenticator:jwt-resolved', token).then(() => {
this.get('currentUser.account').then((account) => { this.get('currentUser.account').then((account) => {
this.transitionTo('protected.users.changepassword', account.get('id')); this.transitionTo('protected.users.changepassword', account.get('id'));

View file

@ -1,30 +1,29 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxError from '../../../utils/ajax-error'; import ajaxError from '../../../utils/ajax-error';
export default Ember.Controller.extend({ const { Controller } = Ember;
passwordConfirm: null,
export default Controller.extend({
isLoading: false,
actions: { actions: {
save: function() { save: function(properties) {
let user = this.get('user'); const user = this.get('model');
user.setProperties(properties);
// All validation is server-side, except for password verification matching
if (user.get('password') !== this.get('passwordConfirm')) {
this.get('flashMessages').clearMessages();
this.get('flashMessages').error("Password fields don't match");
return;
}
if (user.get('hasDirtyAttributes')) { if (user.get('hasDirtyAttributes')) {
this.set('isLoading', true);
user.save().then(() => { user.save().then(() => {
this.transitionTo('login').then(() => { this.transitionToRoute('login').then(() => {
this.get('flashMessages').information(`You have successfully signed up. this.get('flashMessages').information(`You have successfully signed up.
Please check your email for further instructions.`); Please check your email for further instructions.`);
}); });
}, () => { }, () => {
this.set('isLoading', false);
ajaxError(user.get('errors'), this.get('flashMessages')); ajaxError(user.get('errors'), this.get('flashMessages'));
}); });
} }
}, },
}, },
}); });

View file

@ -0,0 +1,66 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
// Read-only attributes
user: null,
isLoading: null,
// Actions
"on-save": null,
"on-cancel": null,
// Property mapping
propertiesList: ['name', 'email', 'password', 'passwordConfirm'],
name: null,
email: null,
password: null,
passwordConfirm: null,
resetOnInit: Ember.on('init', function() {
this.get('propertiesList').forEach((field) => {
const valueInUser = this.get('user').get(field);
this.set(field, valueInUser);
});
}),
updateField: function(property, value) {
this.set(property, value);
// Manually compare against passed in value
if (this.get('user').get(property) !== value) {
this.set('isDirty', true);
} else {
this.set('isDirty', false);
}
},
actions: {
save: function() {
// All validation is server-side, except for password verification matching
if (this.get('password') !== this.get('passwordConfirm')) {
this.get('flashMessages').clearMessages();
this.get('flashMessages').error("Password fields don't match");
return;
}
return this.attrs['on-save'](this.getProperties(this.get('propertiesList')));
},
nameDidChange: function(value) {
this.updateField('name', value);
},
emailDidChange: function(value) {
this.updateField('email', value);
},
passwordDidChange: function(value) {
this.updateField('password', value);
},
passwordConfirmDidChange: function(value) {
this.updateField('passwordConfirm', value);
}
}
});

View file

@ -0,0 +1,36 @@
{{#if isLoading}}
{{loading-panel}}
{{else}}
<div class="grid-1">
<div class="span-1">
<fieldset>
<legend>New User Signup</legend>
<form {{action 'save' on='submit'}}>
<ul>
<li>
<label>Name</label>
{{one-way-input type="text" class="user-name" value=name update=(action "nameDidChange")}}
</li>
<li>
<label>Email</label>
{{one-way-input type="text" class="email" value=email update=(action "emailDidChange")}}
</li>
<li>
<label>Password</label>
{{one-way-input type="password" class="password" value=password update=(action "passwordDidChange")}}
</li>
<li>
<label>Password (confirm)</label>
{{one-way-input type="password" class="password-verify" value=passwordConfirm update=(action "passwordConfirmDidChange")}}
</li>
<li>
<button type="submit" class="button-green smaller save-user">
Submit
</button>
</li>
</ul>
</form>
</fieldset>
</div>
</div>
{{/if}}

View file

@ -1,15 +1,10 @@
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, {
model: function() { model: function() {
return Ember.RSVP.hash({ return this.store.createRecord('user');
user: this.store.createRecord('user'),
});
}, },
setupController: function(controller, model) {
controller.setProperties(model);
},
}); });

View file

@ -1,32 +1,6 @@
<div class="grid-1"> {{
<div class="span-1"> users/new/new-user-form
<fieldset> user=model
<legend>New User Signup</legend> isLoading=isLoading
<form {{action 'save' on='submit'}}> on-save=(action "save")
<ul> }}
<li>
<label>Name</label>
{{input value=user.name}}
</li>
<li>
<label>Email</label>
{{input value=user.email}}
</li>
<li>
<label>Password</label>
{{input type="password" value=user.password}}
</li>
<li>
<label>Password (confirm)</label>
{{input type="password" value=passwordConfirm}}
</li>
<li>
<button type="submit" class="button-green smaller">
Submit
</button>
</li>
</ul>
</form>
</fieldset>
</div>
</div>

View file

@ -1,23 +1,15 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxRequest from '../../../../utils/ajax-request';
export default Ember.Route.extend({ const { Route, inject: { service } } = Ember;
session: Ember.inject.service('session'),
apiURL: function() { export default Route.extend({
return this.get('globals.apiURL'); session: service(),
}.property(), ajax: service(),
genus: function() {
return this.get('globals.genus');
}.property(),
model: function(params) { model: function(params) {
let url = `${this.get('apiURL')}/api/${this.get('genus')}/users/verify/${params.nonce}`; return this.get('ajax').request(`/users/verify/${params.nonce}`);
return ajaxRequest(url, {}, this.get('session'));
}, },
afterModel: function(model/*, transition*/) { afterModel: function(model/*, transition*/) {
this.get('flashMessages').success(model.msg); this.get('flashMessages').success(model.msg);
this.transitionTo('login'); this.transitionTo('login');
@ -25,7 +17,7 @@ export default Ember.Route.extend({
actions: { actions: {
error: function(error/*, transition*/) { error: function(error/*, transition*/) {
let err = Ember.$.parseJSON(error.responseText); const err = Ember.$.parseJSON(error.responseText);
this.get('flashMessages').error(err.error); this.get('flashMessages').error(err.error);
this.transitionTo('login'); this.transitionTo('login');
} }

View file

@ -1 +0,0 @@
{{outlet}}

View file

@ -1,17 +1,15 @@
import Ember from 'ember'; import Ember from 'ember';
import ajaxRequest from '../../../utils/ajax-request';
export default Ember.Controller.extend({ const { Controller, inject: { service } } = Ember;
session: Ember.inject.service('session'),
export default Controller.extend({
session: service(),
globals: service(),
ajax: service(),
actions: { actions: {
save: function() { submit: function(email) {
let url = `${this.get('globals.apiURL')}/api/${this.get('globals.genus')}/users/lockout`; this.get('ajax').post('/users/lockout', { data: { email: email } } );
let options = {
method: 'POST',
data: { email: this.get('email') },
};
ajaxRequest(url, options, this.get('session'));
this.transitionToRoute('login'); this.transitionToRoute('login');
this.get('flashMessages').information('Please check your email'); this.get('flashMessages').information('Please check your email');
}, },

View file

@ -0,0 +1,18 @@
import Ember from 'ember';
const { Component } = Ember;
export default Component.extend({
email: null,
"on-submit": null,
actions: {
save: function() {
return this.attrs["on-submit"](this.get('email'));
},
emailDidChange: function(value) {
this.set('email', value);
},
}
});

View file

@ -0,0 +1,18 @@
<div class="grid-1">
<div class="span-1">
<fieldset>
<legend>Account Lockout/Password Reset</legend>
<form {{action 'save' on='submit'}}>
<ul>
<li>
<label>Email</label>
{{one-way-input type="text" class="email" value=email update=(action "emailDidChange")}}
</li>
<li>
<button type="submit" class="button-green smaller">Submit</button>
</li>
</ul>
</form>
</fieldset>
</div>
</div>

View file

@ -1,8 +0,0 @@
import Ember from 'ember';
export default Ember.Route.extend({
deactivate: function() {
this.controller.set('email', null);
},
});

View file

@ -1,18 +1,4 @@
<div class="grid-1"> {{
<div class="span-1"> users/requestlockouthelp/lockout-form
<fieldset> on-submit=(action "submit")
<legend>Account Lockout/Password Reset</legend> }}
<form {{action 'save' on='submit'}}>
<ul>
<li>
<label>Email</label>
{{input value=email}}
</li>
<li>
<button type="submit" class="button-green smaller">Submit</button>
</li>
</ul>
</form>
</fieldset>
</div>
</div>

View file

@ -1,7 +1,7 @@
import Ember from 'ember'; import Ember from 'ember';
import config from './config/environment'; import config from './config/environment';
var Router = Ember.Router.extend({ const Router = Ember.Router.extend({
location: config.locationType location: config.locationType
}); });

Some files were not shown because too many files have changed in this diff Show more