< The list of previous installments can be found here. >
In a previous blog post, I already wrote about BDD style unit tests for testing Node.js modules using Jasmine. I really like the conciseness, simplicity and readability of specification style unit tests using Jasmine. But when we pour CoffeeScript into the mix, then the syntax for BDD style unit tests really starts to get interesting.
Here’s a simple example of a Jasmine test suite written in CoffeeScript:
Personally, I really like this syntax. Notice the destructuring assignment on the first line. This is a small trick we can use when a particular module exports multiple types. We also used a mocking library called Sinon.js which is a very powerful library for test spies, stubs and mocks for JavaScript.
Here’s the code for the BurglarAlarm, ControlRoom and Siren modules. Note that this example code is also written using CoffeeScript, but this can be plain old JavaScript as well if you want.
{ BurglarAlarm, BurglarAlarmState } = require('burglaralarm')
ControlRoom = require('controlroom')
should = require('should')
sinon = require('sinon')
describe 'An armed burglar alarm', ->
_sut = null
beforeEach ->
_sut = new BurglarAlarm()
_sut.arm()
describe 'When a break in occurs', ->
beforeEach ->
_sut.breakIn()
it 'should indicate that there is a burglary', ->
_sut.state().should.equal(BurglarAlarmState.alarm)
it 'should trigger the siren', ->
_sut.siren().isRinging().should.be.ok
describe 'When there is being tampered', ->
_mockedControlRoom = null
beforeEach ->
_mockedControlRoom = sinon.mock(ControlRoom.getInstance())
_mockedControlRoom.expects('notifyTamperAlarm').once()
_sut.tamper()
afterEach ->
_mockedControlRoom.restore()
it 'should indicate that there is a tamper alarm', ->
_sut.state().should.equal(BurglarAlarmState.tamper)
it 'should notify the control room', ->
_mockedControlRoom.verify()
There you go. Until next time.