I'm trying to write an acceptance test which verifies that my signup form saves the User
model to the store.
I'm using Ember 1.13.6, Mocha, Chai and Ember CLI Mirage (to fake the backend for tests.) The backend is JSONAPI.
I'm very new to ember and struggling a bit to find a testing strategy.
Can I use Sinon.js and spy on the model and check if the .save
method is called or should I test that the correct XHR request was sent (POST /api/vi/users
)?
// app/routes/users/new.js
import Ember from 'ember';
export default Ember.Route.extend({
model: function(){
return this.store.createRecord('user');
},
actions: {
registerUser: function(){
var user = this.model();
user.save().then(()=> {
this.transitionTo('/');
}).catch(()=> {
console.log('user save failed.');
});
}
}
});
<!-- app/templates/users/new.hbs -->
<form {{ action "registerUser" on="submit" }}>
<div class="row email">
<label>Email</label>
{{ input type="email" name="email" value=email }}
</div>
<div class="row password">
<label>Password</label>
{{ input type="password" name="password" value=password }}
</div>
<div class="row password_confirmation">
<label>Password Confirmation</label>
{{ input type="password" name="password_confirmation" value=password_confirmation }}
</div>
<button type="submit">Register</button>
</form>
/* jshint expr:true */
import {
describe,
it,
beforeEach,
afterEach
} from "mocha";
import { expect } from "chai";
import Ember from "ember";
import startApp from "tagged/tests/helpers/start-app";
describe("Acceptance: UsersNew", function() {
var application;
function find_input(name){
return find(`input[name="${name}"]`);
}
beforeEach(function() {
application = startApp();
visit("/users/new");
});
afterEach(function() {
Ember.run(application, "destroy");
});
describe("form submission", function(){
const submit = function(){
click('button:contains(Register)');
};
beforeEach(function(){
fillIn('input[name="email"]', 'test@example.com');
fillIn('input[name="password"]', 'p4ssword');
fillIn('input[name="password_confirmation"]', 'p4ssword');
});
it("redirects to root path", function(){
submit();
andThen(function() {
expect(currentURL()).to.eq('/'); // pass
});
});
it("persists the user record", function(){
// this is the part I am struggling with
// expect user.save() to be called.
submit();
});
});
});