SlideShare a Scribd company logo
Unit Testing
The Whys, Whens and Hows
Ates Goral - Toronto Node.js Meetup - October 11, 2016
Ates Goral
@atesgoral
http://magnetiq.com
http://github.com/atesgoral
http://stackoverflow.com/users/23501/ates-goral
http://myplanet.com
Definition of a unit test
What is a unit?
● Smallest bit of code you can test?
● Talking to the actual resource may be OK if it’s stable and fast
● Classic versus mockist styles (Martin Fowler)
● Solitary versus sociable tests (Jay Fields)
● White box versus black box testing
● What’s important is the contract
http://martinfowler.com/bliki/UnitTest.html
Inconsistent definitions
Here’s what’s common:
● Written by developers
● Runs fast
● Deterministic
● Does not tread into integration test territory
Appreciation of unit testing
You don’t know unit testing until you’ve unit tested
There’s a first time for every developer. Some are more lucky than others because
they ramp up in an environment that already embraces unit testing.
“But can already write flawless code when I’m in the zone.”
True. Because you’re actually running unit tests, without realizing, in your mind
when you’re in the zone.
Try taking a 3 week break and see what happens to those ephemeral unit tests.
Turn those tests into unit test code so that they’re repeatable and unforgettable.
Good unit tests
Good unit tests
● Are functionally correct. They don’t just exercise code for the sake of
exercising code.
● Don’t depend on subsequent tests -- every test runs in its own clean
environment, failure of a test doesn’t bring the entire test suite down
● Run fast. You need to be able to run all of your tests as quickly and as
frequently as possible. Otherwise, they lose value.
● Are actually run. Automatically. So that you don’t forget to run them.
● Add new unit tests for newly discovered [and fixed] issues.
Good code
Good code
● Good code is more unit testable
● It all comes down to good architecture and design
● Planning for unit tests facilitates good code
● Good encapsulation: interfaces with small surfaces, well-defined contracts,
non-leaky abstractions
● Keep interdependencies low
Good reasons
Why and what are you unit testing?
● Misguided reasons: processes, meeting performance numbers
● Testing just for testing: glue code that doesn’t have any logic, ineffective tests
that don’t actually test the functionality
● Testing legacy code that is actually un-unit-testable
Be pragmatic. Don’t waste effort. Sometimes unit testing is not the answer (try
end-to-end instead).
Benefits of unit testing
Benefits of unit testing
Benefits beyond finding bugs:
● Better code
● Safety net for refactoring
● Documentation of functionality (especially when in BDD style)
● Prevents code from becoming an untestable entangled mass
Test-environment-first Programming
Be test-ready on day one
● Even if you’re not planning to add test yet
● Even if there’s no code worth testing yet
● Prime your environment for future unit tests
● Especially, CI environment setup can be time consuming
● You never know when that moment will come when you have some critical
code that needs unit testing
Do this. Please.
Sidenote: At a bare minimum...
Even you have no time or energy to write unit tests as you go, prepare a manual
test plan, and someone in your team execute them (manually) prior to releases.
Bonus: share the effort as a team.
Basic smoke tests, checking for end-to-end sanity and regression.
Do this. Please.
Basic test environment setup
Setting up Mocha - no configuration needed
test/testNothing.js:
describe('nothing', () => {
it('should do nothing', (done) => {
done();
});
});
package.json:
"scripts": {
"test": "mocha"
},
https://mochajs.org/
npm install --save-dev mocha
npm test
nothing
✓ should do nothing
1 passing (8ms)
Adding Chai
test/testExpectation.js:
const chai = require('chai');
const expect = chai.expect;
describe('2 + 2', () => {
it('should equal 4', () => {
expect(2 + 2).to.equal(4);
});
});
http://chaijs.com/
npm install --save-dev chai
npm test
2 + 2
✓ should equal 4
Let’s write our first proper test
The test
test/testArithmetic.js:
const arithmetic = require('../src/arithmetic');
describe('arithmetic', () => {
describe('.sum()', () => {
describe('when called with two numbers', () => {
it('should return their sum', () => {
expect(arithmetic.sum(2, 2)).to.equal(4);
});
});
});
});
Implementation and run
src/arithmetic.js:
*** REDACTED ***
npm test
arithmetic
.sum()
when called with two numbers
✓ should return their sum
Opportunistic implementation
src/arithmetic.js:
exports.sum = (a, b) => {
return 4;
};
https://xkcd.com/221/
Who tests the tests?
Test correctness
● Should not be just exercising code
● Should be functionally correct
● Subject to peer review?
I don’t know of any solutions to ensure test correctness.
OH BTW
Selectively running tests with Mocha
mocha --grep <pattern>
npm test -- --grep <pattern>
e.g.
npm test -- --grep arithmetic
Let’s get asynchronous
Timeout implementation
src/timeout.js:
exports.set = (callback, milliseconds) => {
setTimeout(callback, milliseconds);
};
Timeout test
test/testTimeout.js:
it('should call the callback after the delay', (done) => {
const start = Date.now();
timeout.set(() => {
const elapsed = Date.now() - start;
expect(elapsed).to.equal(100);
done();
}, 100);
});
Run
npm test
timeout
.set()
when called with a callback and a delay
1) should call the callback after the delay
Uncaught AssertionError: expected 105 to equal 100
+ expected - actual
-105
+100
Flaky tests are evil
Write deterministic tests that run fast
● Don’t rely on chance
● A less than 100% pass rate is not acceptable
● Don’t waste time with arbitrary delays
● Use the right tools for the [right] job
Deterministic timing
Bring in Sinon
http://sinonjs.org/
npm install --save-dev sinon
Use a spy and a fake timer
test/testTimeout.js:
const sinon = require('sinon');
describe('timeout', () => {
let clock = null;
beforeEach(() => {
clock = sinon.useFakeTimers();
});
afterEach(() => {
clock.restore();
});
Use a spy and a fake timer (continued)
describe('.set()', () => {
describe('when called with a callback and a delay', () => {
it('should call the callback after the delay', () => {
const callback = sinon.spy();
timeout.set(callback, 100);
clock.tick(100);
expect(callback).to.have.been.called;
});
});
});
Run
npm test -- --grep timeout
timeout
.set()
when called with a callback and a delay
✓ should call the callback after the delay
100% pass rate.
Definitions of test doubles
Again, some inconsistencies
● Dummy
● Fake
● Stub
● Spy
● Mock
http://www.martinfowler.com/bliki/TestDouble.html
https://en.wikipedia.org/wiki/Test_double
Test doubles - dependency injection
Account service that takes DB as a dependency
src/accountService.js:
function AccountService(db) {
this.db = db;
}
AccountService.prototype.findById = function (accountId, callback) {
const results = this.db.querySync('account', { id: accountId });
callback(results[0]);
};
module.exports = AccountService;
Bring in Sinon-Chai
https://github.com/domenic/sinon-chai
npm install --save-dev sinon-chai
const sinonChai = require('sinon-chai');
chai.use(sinonChai);
Account service test
test/testAccountService.js:
describe('AccountService', () => {
let db = null;
let accountService = null;
beforeEach(() => {
db = {
querySync: sinon.stub()
};
accountService = new AccountService(db);
});
Account service test (continued)
db.querySync.withArgs('account', { id: 1 }).returns([{
id: 1,
name: 'John Doe'
}]);
const callback = sinon.spy();
accountService.findById(1, callback);
expect(callback).to.have.been.calledWith({
id: 1,
name: 'John Doe'
});
Promises
DB now uses promises
src/accountService.js:
function AccountService(db) {
this.db = db;
}
AccountService.prototype.findById = function (accountId, callback) {
return this.db
.query('account', { id: accountId })
.then((results) => results[0]);
};
module.exports = AccountService;
Bring in sinon-as-promised
https://www.npmjs.com/package/sinon-as-promised
npm install --save-dev sinon-as-promised
const sinonAsPromised = require('sinon-as-promised');
Updated account service test
beforeEach(() => {
db = {
query: sinon.stub()
};
accountService = new AccountService(db);
});
Updated account service test (continued)
db.query.withArgs('account', { id: 1 }).resolves([{
id: 1,
name: 'John Doe'
}]);
return accountService.findById(1)
.then((account) => {
expect(account).to.deep.equal({
id: 1,
name: 'John Doe'
});
});
Negative case
When account not found
db.query.withArgs('account', { id: -1 }).rejects(
new Error('Account not found')
);
return accountService.findById(-1)
.catch((error) => {
expect(error).to.deep.equal(
new Error('Account not found')
);
});
But wait...
src/accountService.js:
AccountService.prototype.findById = function (accountId, callback) {
if (accountId === -1) {
return Promise.resolve({
id: -1,
name: 'Negative One'
});
}
return this.db
.query('account', { id: accountId })
.then((results) => results[0]);
};
Run
npm test -- --grep account
AccountService
.findById()
when called for an existing account
✓ should return a promise resolved with the account
when called for a non-existent account
✓ should return a promise rejected with an error
Need the positive case to fail the test
return accountService.findById(-1)
.catch((error) => {
expect(error).to.deep.equal(
new Error('Account not found')
);
})
.then(() => {
throw new Error('Should not have been resolved');
});
Run
npm test -- --grep account
AccountService
.findById()
when called for an existing account
✓ should return a promise resolved with the account
when called for a non-existent account
1) should return a promise rejected with an error
Making the experience better
Bring in Chai as Promised
http://chaijs.com/plugins/chai-as-promised/
npm install --save-dev chai-as-promised
const chaiAsPromised = require('chai-as-promised');
chai.use(chaiAsPromised);
Updated positive test
return expect(accountService.findById(1))
.to.eventually.deep.equal({
id: 1,
name: 'John Doe'
});
Updated negative test
return expect(accountService.findById(-1))
.to.eventually.be.rejectedWith(Error, 'Account not found');
Run
npm test -- --grep account
AccountService
.findById()
when called for an existing account
✓ should return a promise resolved with the account
when called for a non-existent account
1) should return a promise rejected with an error
AssertionError:
expected promise to be rejected with 'Error'
but it was fulfilled with { id: -1, name: 'Negative One' }
Without dependency injection
To intercept any module dependency - Mockery
https://github.com/mfncooper/mockery
npm install --save-dev mockery
beforeEach(() => {
mockery.enable({
warnOnReplace: false,
warnOnUnregistered: false,
useCleanCache: true
});
mockery.registerMock('./db', db);
});
afterEach(() => {
mockery.disable();
});
All code so far
https://github.com/atesgoral/hello-test
Clean commit history with 1 commit per example.
Q&A

More Related Content

What's hot

BDD Testing and Automating from the trenches - Presented at Into The Box June...
BDD Testing and Automating from the trenches - Presented at Into The Box June...BDD Testing and Automating from the trenches - Presented at Into The Box June...
BDD Testing and Automating from the trenches - Presented at Into The Box June...
Gavin Pickin
 
[Webinar] Qt Test-Driven Development Using Google Test and Google Mock
[Webinar] Qt Test-Driven Development Using Google Test and Google Mock[Webinar] Qt Test-Driven Development Using Google Test and Google Mock
[Webinar] Qt Test-Driven Development Using Google Test and Google Mock
ICS
 
Django Testing
Django TestingDjango Testing
Django Testing
ericholscher
 
Token Testing Slides
Token  Testing SlidesToken  Testing Slides
Token Testing Slides
ericholscher
 
(automatic) Testing: from business to university and back
(automatic) Testing: from business to university and back(automatic) Testing: from business to university and back
(automatic) Testing: from business to university and back
David Rodenas
 
"How keep normal blood pressure using TDD" By Roman Loparev
"How keep normal blood pressure using TDD" By Roman Loparev"How keep normal blood pressure using TDD" By Roman Loparev
"How keep normal blood pressure using TDD" By Roman Loparev
Ciklum Ukraine
 
Google mock for dummies
Google mock for dummiesGoogle mock for dummies
Google mock for dummies
Harry Potter
 
Intro to TDD and BDD
Intro to TDD and BDDIntro to TDD and BDD
Intro to TDD and BDD
Jason Noble
 
Test driven development and unit testing with examples in C++
Test driven development and unit testing with examples in C++Test driven development and unit testing with examples in C++
Test driven development and unit testing with examples in C++
Hong Le Van
 
Testing in-python-and-pytest-framework
Testing in-python-and-pytest-frameworkTesting in-python-and-pytest-framework
Testing in-python-and-pytest-framework
Arulalan T
 
iOS Unit Testing
iOS Unit TestingiOS Unit Testing
iOS Unit Testing
sgleadow
 
Grails unit testing
Grails unit testingGrails unit testing
Grails unit testing
pleeps
 
Java Testing With Spock - Ken Sipe (Trexin Consulting)
Java Testing With Spock - Ken Sipe (Trexin Consulting)Java Testing With Spock - Ken Sipe (Trexin Consulting)
Java Testing With Spock - Ken Sipe (Trexin Consulting)
jaxLondonConference
 
JAVASCRIPT Test Driven Development & Jasmine
JAVASCRIPT Test Driven Development & JasmineJAVASCRIPT Test Driven Development & Jasmine
JAVASCRIPT Test Driven Development & Jasmine
Anup Singh
 
ES3-2020-05 Testing
ES3-2020-05 TestingES3-2020-05 Testing
ES3-2020-05 Testing
David Rodenas
 
Developer Tests - Things to Know (Vilnius JUG)
Developer Tests - Things to Know (Vilnius JUG)Developer Tests - Things to Know (Vilnius JUG)
Developer Tests - Things to Know (Vilnius JUG)
vilniusjug
 
Javascript Unit Testing
Javascript Unit TestingJavascript Unit Testing
Javascript Unit Testing
Tom Van Herreweghe
 

What's hot (18)

BDD Testing and Automating from the trenches - Presented at Into The Box June...
BDD Testing and Automating from the trenches - Presented at Into The Box June...BDD Testing and Automating from the trenches - Presented at Into The Box June...
BDD Testing and Automating from the trenches - Presented at Into The Box June...
 
[Webinar] Qt Test-Driven Development Using Google Test and Google Mock
[Webinar] Qt Test-Driven Development Using Google Test and Google Mock[Webinar] Qt Test-Driven Development Using Google Test and Google Mock
[Webinar] Qt Test-Driven Development Using Google Test and Google Mock
 
Django Testing
Django TestingDjango Testing
Django Testing
 
Token Testing Slides
Token  Testing SlidesToken  Testing Slides
Token Testing Slides
 
(automatic) Testing: from business to university and back
(automatic) Testing: from business to university and back(automatic) Testing: from business to university and back
(automatic) Testing: from business to university and back
 
"How keep normal blood pressure using TDD" By Roman Loparev
"How keep normal blood pressure using TDD" By Roman Loparev"How keep normal blood pressure using TDD" By Roman Loparev
"How keep normal blood pressure using TDD" By Roman Loparev
 
Google mock for dummies
Google mock for dummiesGoogle mock for dummies
Google mock for dummies
 
Intro to TDD and BDD
Intro to TDD and BDDIntro to TDD and BDD
Intro to TDD and BDD
 
Test driven development and unit testing with examples in C++
Test driven development and unit testing with examples in C++Test driven development and unit testing with examples in C++
Test driven development and unit testing with examples in C++
 
Testing in-python-and-pytest-framework
Testing in-python-and-pytest-frameworkTesting in-python-and-pytest-framework
Testing in-python-and-pytest-framework
 
TDD, BDD and mocks
TDD, BDD and mocksTDD, BDD and mocks
TDD, BDD and mocks
 
iOS Unit Testing
iOS Unit TestingiOS Unit Testing
iOS Unit Testing
 
Grails unit testing
Grails unit testingGrails unit testing
Grails unit testing
 
Java Testing With Spock - Ken Sipe (Trexin Consulting)
Java Testing With Spock - Ken Sipe (Trexin Consulting)Java Testing With Spock - Ken Sipe (Trexin Consulting)
Java Testing With Spock - Ken Sipe (Trexin Consulting)
 
JAVASCRIPT Test Driven Development & Jasmine
JAVASCRIPT Test Driven Development & JasmineJAVASCRIPT Test Driven Development & Jasmine
JAVASCRIPT Test Driven Development & Jasmine
 
ES3-2020-05 Testing
ES3-2020-05 TestingES3-2020-05 Testing
ES3-2020-05 Testing
 
Developer Tests - Things to Know (Vilnius JUG)
Developer Tests - Things to Know (Vilnius JUG)Developer Tests - Things to Know (Vilnius JUG)
Developer Tests - Things to Know (Vilnius JUG)
 
Javascript Unit Testing
Javascript Unit TestingJavascript Unit Testing
Javascript Unit Testing
 

Viewers also liked

和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。
和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。
和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。
stucon
 
Productos químicos de alta calidad Ronald Vera
Productos químicos de alta calidad Ronald Vera Productos químicos de alta calidad Ronald Vera
Productos químicos de alta calidad Ronald Vera
Diana Carolina Camacho Cedeño
 
Moving the Needle with Social Media
Moving the Needle with Social MediaMoving the Needle with Social Media
Moving the Needle with Social Media
StrongView
 
Reda
RedaReda
Shodh yatra report compressed copy
Shodh yatra report compressed copyShodh yatra report compressed copy
Shodh yatra report compressed copy
Marianne Esders
 
如何讓顧客離不開你
如何讓顧客離不開你如何讓顧客離不開你
如何讓顧客離不開你kkjjkevin03
 
Blue moon - abstract acrylic painting
Blue moon - abstract acrylic paintingBlue moon - abstract acrylic painting
Blue moon - abstract acrylic painting
Tataro
 
Risk based monitoring presentation by triumph research intelligence january 2014
Risk based monitoring presentation by triumph research intelligence january 2014Risk based monitoring presentation by triumph research intelligence january 2014
Risk based monitoring presentation by triumph research intelligence january 2014Triumph Consultancy Services
 
Emailer Generic letter
Emailer Generic letterEmailer Generic letter
Emailer Generic letterShane Thompson
 
Relaciones absolu8tas, relativas y mixtas
Relaciones absolu8tas, relativas y mixtasRelaciones absolu8tas, relativas y mixtas
Relaciones absolu8tas, relativas y mixtaspiioJo
 
Token statt Cookies dank JWT - #ETKA16
Token statt Cookies dank JWT - #ETKA16Token statt Cookies dank JWT - #ETKA16
Token statt Cookies dank JWT - #ETKA16
Markus Schlichting
 
Social Media for Travel and Tourism
Social Media for Travel and Tourism Social Media for Travel and Tourism
Social Media for Travel and Tourism
Ben Shipley
 
Data Defeats Truman – SXSW Panelpicker Pitch
Data Defeats Truman – SXSW Panelpicker PitchData Defeats Truman – SXSW Panelpicker Pitch
Data Defeats Truman – SXSW Panelpicker Pitch
Kyle J. Britt
 
London devops - orc
London devops - orcLondon devops - orc
London devops - orc
Tomas Doran
 
85 Gnarly Local SEO Tips for Auto Dealers
85 Gnarly Local SEO Tips for Auto Dealers85 Gnarly Local SEO Tips for Auto Dealers
85 Gnarly Local SEO Tips for Auto Dealers
Greg Gifford
 
UNISA InfoLit Story 24 May 2016
UNISA InfoLit Story 24 May 2016UNISA InfoLit Story 24 May 2016
UNISA InfoLit Story 24 May 2016
HELIGLIASA
 
Mattawa, Ontario, Canada, 1970
Mattawa, Ontario, Canada, 1970Mattawa, Ontario, Canada, 1970
Mattawa, Ontario, Canada, 1970
Joe Carter
 

Viewers also liked (17)

和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。
和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。
和菓子の持つ伝統要素の尊重をしつつ、抜本的なイメージの改変を目指す。
 
Productos químicos de alta calidad Ronald Vera
Productos químicos de alta calidad Ronald Vera Productos químicos de alta calidad Ronald Vera
Productos químicos de alta calidad Ronald Vera
 
Moving the Needle with Social Media
Moving the Needle with Social MediaMoving the Needle with Social Media
Moving the Needle with Social Media
 
Reda
RedaReda
Reda
 
Shodh yatra report compressed copy
Shodh yatra report compressed copyShodh yatra report compressed copy
Shodh yatra report compressed copy
 
如何讓顧客離不開你
如何讓顧客離不開你如何讓顧客離不開你
如何讓顧客離不開你
 
Blue moon - abstract acrylic painting
Blue moon - abstract acrylic paintingBlue moon - abstract acrylic painting
Blue moon - abstract acrylic painting
 
Risk based monitoring presentation by triumph research intelligence january 2014
Risk based monitoring presentation by triumph research intelligence january 2014Risk based monitoring presentation by triumph research intelligence january 2014
Risk based monitoring presentation by triumph research intelligence january 2014
 
Emailer Generic letter
Emailer Generic letterEmailer Generic letter
Emailer Generic letter
 
Relaciones absolu8tas, relativas y mixtas
Relaciones absolu8tas, relativas y mixtasRelaciones absolu8tas, relativas y mixtas
Relaciones absolu8tas, relativas y mixtas
 
Token statt Cookies dank JWT - #ETKA16
Token statt Cookies dank JWT - #ETKA16Token statt Cookies dank JWT - #ETKA16
Token statt Cookies dank JWT - #ETKA16
 
Social Media for Travel and Tourism
Social Media for Travel and Tourism Social Media for Travel and Tourism
Social Media for Travel and Tourism
 
Data Defeats Truman – SXSW Panelpicker Pitch
Data Defeats Truman – SXSW Panelpicker PitchData Defeats Truman – SXSW Panelpicker Pitch
Data Defeats Truman – SXSW Panelpicker Pitch
 
London devops - orc
London devops - orcLondon devops - orc
London devops - orc
 
85 Gnarly Local SEO Tips for Auto Dealers
85 Gnarly Local SEO Tips for Auto Dealers85 Gnarly Local SEO Tips for Auto Dealers
85 Gnarly Local SEO Tips for Auto Dealers
 
UNISA InfoLit Story 24 May 2016
UNISA InfoLit Story 24 May 2016UNISA InfoLit Story 24 May 2016
UNISA InfoLit Story 24 May 2016
 
Mattawa, Ontario, Canada, 1970
Mattawa, Ontario, Canada, 1970Mattawa, Ontario, Canada, 1970
Mattawa, Ontario, Canada, 1970
 

Similar to Unit Testing - The Whys, Whens and Hows

North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017
North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017
North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017
Ortus Solutions, Corp
 
Testing Django Applications
Testing Django ApplicationsTesting Django Applications
Testing Django Applications
Honza Král
 
Developer Test - Things to Know
Developer Test - Things to KnowDeveloper Test - Things to Know
Developer Test - Things to Know
vilniusjug
 
Test Driven
Test DrivenTest Driven
Test Driven
Alex Chaffee
 
A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)
Thierry Gayet
 
Jest: Frontend Testing leicht gemacht @EnterJS2018
Jest: Frontend Testing leicht gemacht @EnterJS2018Jest: Frontend Testing leicht gemacht @EnterJS2018
Jest: Frontend Testing leicht gemacht @EnterJS2018
Holger Grosse-Plankermann
 
We Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End DevelopmentWe Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End Development
All Things Open
 
Google test training
Google test trainingGoogle test training
Google test training
Thierry Gayet
 
unit test in node js - test cases in node
unit test in node js - test cases in nodeunit test in node js - test cases in node
unit test in node js - test cases in node
Goa App
 
Test and Behaviour Driven Development (TDD/BDD)
Test and Behaviour Driven Development (TDD/BDD)Test and Behaviour Driven Development (TDD/BDD)
Test and Behaviour Driven Development (TDD/BDD)
Lars Thorup
 
Das Frontend richtig Testen – mit Jest @Developer Week 2018
Das Frontend richtig Testen – mit Jest @Developer Week 2018Das Frontend richtig Testen – mit Jest @Developer Week 2018
Das Frontend richtig Testen – mit Jest @Developer Week 2018
Holger Grosse-Plankermann
 
Building unit tests correctly with visual studio 2013
Building unit tests correctly with visual studio 2013Building unit tests correctly with visual studio 2013
Building unit tests correctly with visual studio 2013
Dror Helper
 
Writing Tests with the Unity Test Framework
Writing Tests with the Unity Test FrameworkWriting Tests with the Unity Test Framework
Writing Tests with the Unity Test Framework
Peter Kofler
 
Unit testing with Spock Framework
Unit testing with Spock FrameworkUnit testing with Spock Framework
Unit testing with Spock Framework
Eugene Dvorkin
 
Test-Driven Development In Action
Test-Driven Development In ActionTest-Driven Development In Action
Test-Driven Development In Action
Jon Kruger
 
Full Stack Unit Testing
Full Stack Unit TestingFull Stack Unit Testing
Full Stack Unit Testing
GlobalLogic Ukraine
 
Test driven development in .Net - 2010 + Eclipse
Test driven development in .Net - 2010 + EclipseTest driven development in .Net - 2010 + Eclipse
Test driven development in .Net - 2010 + Eclipse
UTC Fire & Security
 
JAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
JAVASCRIPT TDD(Test driven Development) & Qunit TutorialJAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
JAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
Anup Singh
 
Java script unit testing
Java script unit testingJava script unit testing
Java script unit testing
Mats Bryntse
 
Developers Testing - Girl Code at bloomon
Developers Testing - Girl Code at bloomonDevelopers Testing - Girl Code at bloomon
Developers Testing - Girl Code at bloomon
Ineke Scheffers
 

Similar to Unit Testing - The Whys, Whens and Hows (20)

North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017
North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017
North Virginia Coldfusion User Group Meetup - Testbox - July 19th 2017
 
Testing Django Applications
Testing Django ApplicationsTesting Django Applications
Testing Django Applications
 
Developer Test - Things to Know
Developer Test - Things to KnowDeveloper Test - Things to Know
Developer Test - Things to Know
 
Test Driven
Test DrivenTest Driven
Test Driven
 
A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)A la découverte des google/test (aka gtest)
A la découverte des google/test (aka gtest)
 
Jest: Frontend Testing leicht gemacht @EnterJS2018
Jest: Frontend Testing leicht gemacht @EnterJS2018Jest: Frontend Testing leicht gemacht @EnterJS2018
Jest: Frontend Testing leicht gemacht @EnterJS2018
 
We Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End DevelopmentWe Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End Development
 
Google test training
Google test trainingGoogle test training
Google test training
 
unit test in node js - test cases in node
unit test in node js - test cases in nodeunit test in node js - test cases in node
unit test in node js - test cases in node
 
Test and Behaviour Driven Development (TDD/BDD)
Test and Behaviour Driven Development (TDD/BDD)Test and Behaviour Driven Development (TDD/BDD)
Test and Behaviour Driven Development (TDD/BDD)
 
Das Frontend richtig Testen – mit Jest @Developer Week 2018
Das Frontend richtig Testen – mit Jest @Developer Week 2018Das Frontend richtig Testen – mit Jest @Developer Week 2018
Das Frontend richtig Testen – mit Jest @Developer Week 2018
 
Building unit tests correctly with visual studio 2013
Building unit tests correctly with visual studio 2013Building unit tests correctly with visual studio 2013
Building unit tests correctly with visual studio 2013
 
Writing Tests with the Unity Test Framework
Writing Tests with the Unity Test FrameworkWriting Tests with the Unity Test Framework
Writing Tests with the Unity Test Framework
 
Unit testing with Spock Framework
Unit testing with Spock FrameworkUnit testing with Spock Framework
Unit testing with Spock Framework
 
Test-Driven Development In Action
Test-Driven Development In ActionTest-Driven Development In Action
Test-Driven Development In Action
 
Full Stack Unit Testing
Full Stack Unit TestingFull Stack Unit Testing
Full Stack Unit Testing
 
Test driven development in .Net - 2010 + Eclipse
Test driven development in .Net - 2010 + EclipseTest driven development in .Net - 2010 + Eclipse
Test driven development in .Net - 2010 + Eclipse
 
JAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
JAVASCRIPT TDD(Test driven Development) & Qunit TutorialJAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
JAVASCRIPT TDD(Test driven Development) & Qunit Tutorial
 
Java script unit testing
Java script unit testingJava script unit testing
Java script unit testing
 
Developers Testing - Girl Code at bloomon
Developers Testing - Girl Code at bloomonDevelopers Testing - Girl Code at bloomon
Developers Testing - Girl Code at bloomon
 

Recently uploaded

Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.ILBeyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Natan Silnitsky
 
Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024
Globus
 
Webinar: Salesforce Document Management 2.0 - Smarter, Faster, Better
Webinar: Salesforce Document Management 2.0 - Smarter, Faster, BetterWebinar: Salesforce Document Management 2.0 - Smarter, Faster, Better
Webinar: Salesforce Document Management 2.0 - Smarter, Faster, Better
XfilesPro
 
GlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote sessionGlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote session
Globus
 
Enterprise Resource Planning System in Telangana
Enterprise Resource Planning System in TelanganaEnterprise Resource Planning System in Telangana
Enterprise Resource Planning System in Telangana
NYGGS Automation Suite
 
Enhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdfEnhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdf
Globus
 
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptxTop Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
rickgrimesss22
 
AI Pilot Review: The World’s First Virtual Assistant Marketing Suite
AI Pilot Review: The World’s First Virtual Assistant Marketing SuiteAI Pilot Review: The World’s First Virtual Assistant Marketing Suite
AI Pilot Review: The World’s First Virtual Assistant Marketing Suite
Google
 
Vitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume MontevideoVitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume Montevideo
Vitthal Shirke
 
Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024
Paco van Beckhoven
 
BoxLang: Review our Visionary Licenses of 2024
BoxLang: Review our Visionary Licenses of 2024BoxLang: Review our Visionary Licenses of 2024
BoxLang: Review our Visionary Licenses of 2024
Ortus Solutions, Corp
 
Cyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdfCyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdf
Cyanic lab
 
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdfEnhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Jay Das
 
2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx
Georgi Kodinov
 
OpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoam
OpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoamOpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoam
OpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoam
takuyayamamoto1800
 
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Globus
 
Accelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with PlatformlessAccelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with Platformless
WSO2
 
TROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERROR
TROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERRORTROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERROR
TROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERROR
Tier1 app
 
RISE with SAP and Journey to the Intelligent Enterprise
RISE with SAP and Journey to the Intelligent EnterpriseRISE with SAP and Journey to the Intelligent Enterprise
RISE with SAP and Journey to the Intelligent Enterprise
Srikant77
 
Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...
Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...
Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...
Mind IT Systems
 

Recently uploaded (20)

Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.ILBeyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
 
Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024
 
Webinar: Salesforce Document Management 2.0 - Smarter, Faster, Better
Webinar: Salesforce Document Management 2.0 - Smarter, Faster, BetterWebinar: Salesforce Document Management 2.0 - Smarter, Faster, Better
Webinar: Salesforce Document Management 2.0 - Smarter, Faster, Better
 
GlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote sessionGlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote session
 
Enterprise Resource Planning System in Telangana
Enterprise Resource Planning System in TelanganaEnterprise Resource Planning System in Telangana
Enterprise Resource Planning System in Telangana
 
Enhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdfEnhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdf
 
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptxTop Features to Include in Your Winzo Clone App for Business Growth (4).pptx
Top Features to Include in Your Winzo Clone App for Business Growth (4).pptx
 
AI Pilot Review: The World’s First Virtual Assistant Marketing Suite
AI Pilot Review: The World’s First Virtual Assistant Marketing SuiteAI Pilot Review: The World’s First Virtual Assistant Marketing Suite
AI Pilot Review: The World’s First Virtual Assistant Marketing Suite
 
Vitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume MontevideoVitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume Montevideo
 
Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024
 
BoxLang: Review our Visionary Licenses of 2024
BoxLang: Review our Visionary Licenses of 2024BoxLang: Review our Visionary Licenses of 2024
BoxLang: Review our Visionary Licenses of 2024
 
Cyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdfCyaniclab : Software Development Agency Portfolio.pdf
Cyaniclab : Software Development Agency Portfolio.pdf
 
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdfEnhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
Enhancing Project Management Efficiency_ Leveraging AI Tools like ChatGPT.pdf
 
2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx2024 RoOUG Security model for the cloud.pptx
2024 RoOUG Security model for the cloud.pptx
 
OpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoam
OpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoamOpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoam
OpenFOAM solver for Helmholtz equation, helmholtzFoam / helmholtzBubbleFoam
 
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
 
Accelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with PlatformlessAccelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with Platformless
 
TROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERROR
TROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERRORTROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERROR
TROUBLESHOOTING 9 TYPES OF OUTOFMEMORYERROR
 
RISE with SAP and Journey to the Intelligent Enterprise
RISE with SAP and Journey to the Intelligent EnterpriseRISE with SAP and Journey to the Intelligent Enterprise
RISE with SAP and Journey to the Intelligent Enterprise
 
Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...
Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...
Custom Healthcare Software for Managing Chronic Conditions and Remote Patient...
 

Unit Testing - The Whys, Whens and Hows

  • 1. Unit Testing The Whys, Whens and Hows Ates Goral - Toronto Node.js Meetup - October 11, 2016
  • 4. Definition of a unit test
  • 5. What is a unit? ● Smallest bit of code you can test? ● Talking to the actual resource may be OK if it’s stable and fast ● Classic versus mockist styles (Martin Fowler) ● Solitary versus sociable tests (Jay Fields) ● White box versus black box testing ● What’s important is the contract http://martinfowler.com/bliki/UnitTest.html
  • 6. Inconsistent definitions Here’s what’s common: ● Written by developers ● Runs fast ● Deterministic ● Does not tread into integration test territory
  • 8. You don’t know unit testing until you’ve unit tested There’s a first time for every developer. Some are more lucky than others because they ramp up in an environment that already embraces unit testing. “But can already write flawless code when I’m in the zone.” True. Because you’re actually running unit tests, without realizing, in your mind when you’re in the zone. Try taking a 3 week break and see what happens to those ephemeral unit tests. Turn those tests into unit test code so that they’re repeatable and unforgettable.
  • 10. Good unit tests ● Are functionally correct. They don’t just exercise code for the sake of exercising code. ● Don’t depend on subsequent tests -- every test runs in its own clean environment, failure of a test doesn’t bring the entire test suite down ● Run fast. You need to be able to run all of your tests as quickly and as frequently as possible. Otherwise, they lose value. ● Are actually run. Automatically. So that you don’t forget to run them. ● Add new unit tests for newly discovered [and fixed] issues.
  • 12. Good code ● Good code is more unit testable ● It all comes down to good architecture and design ● Planning for unit tests facilitates good code ● Good encapsulation: interfaces with small surfaces, well-defined contracts, non-leaky abstractions ● Keep interdependencies low
  • 14. Why and what are you unit testing? ● Misguided reasons: processes, meeting performance numbers ● Testing just for testing: glue code that doesn’t have any logic, ineffective tests that don’t actually test the functionality ● Testing legacy code that is actually un-unit-testable Be pragmatic. Don’t waste effort. Sometimes unit testing is not the answer (try end-to-end instead).
  • 15. Benefits of unit testing
  • 16. Benefits of unit testing Benefits beyond finding bugs: ● Better code ● Safety net for refactoring ● Documentation of functionality (especially when in BDD style) ● Prevents code from becoming an untestable entangled mass
  • 18. Be test-ready on day one ● Even if you’re not planning to add test yet ● Even if there’s no code worth testing yet ● Prime your environment for future unit tests ● Especially, CI environment setup can be time consuming ● You never know when that moment will come when you have some critical code that needs unit testing Do this. Please.
  • 19. Sidenote: At a bare minimum... Even you have no time or energy to write unit tests as you go, prepare a manual test plan, and someone in your team execute them (manually) prior to releases. Bonus: share the effort as a team. Basic smoke tests, checking for end-to-end sanity and regression. Do this. Please.
  • 21. Setting up Mocha - no configuration needed test/testNothing.js: describe('nothing', () => { it('should do nothing', (done) => { done(); }); }); package.json: "scripts": { "test": "mocha" }, https://mochajs.org/ npm install --save-dev mocha npm test nothing ✓ should do nothing 1 passing (8ms)
  • 22. Adding Chai test/testExpectation.js: const chai = require('chai'); const expect = chai.expect; describe('2 + 2', () => { it('should equal 4', () => { expect(2 + 2).to.equal(4); }); }); http://chaijs.com/ npm install --save-dev chai npm test 2 + 2 ✓ should equal 4
  • 23. Let’s write our first proper test
  • 24. The test test/testArithmetic.js: const arithmetic = require('../src/arithmetic'); describe('arithmetic', () => { describe('.sum()', () => { describe('when called with two numbers', () => { it('should return their sum', () => { expect(arithmetic.sum(2, 2)).to.equal(4); }); }); }); });
  • 25. Implementation and run src/arithmetic.js: *** REDACTED *** npm test arithmetic .sum() when called with two numbers ✓ should return their sum
  • 28.
  • 29. Who tests the tests?
  • 30. Test correctness ● Should not be just exercising code ● Should be functionally correct ● Subject to peer review? I don’t know of any solutions to ensure test correctness.
  • 32. Selectively running tests with Mocha mocha --grep <pattern> npm test -- --grep <pattern> e.g. npm test -- --grep arithmetic
  • 34. Timeout implementation src/timeout.js: exports.set = (callback, milliseconds) => { setTimeout(callback, milliseconds); };
  • 35. Timeout test test/testTimeout.js: it('should call the callback after the delay', (done) => { const start = Date.now(); timeout.set(() => { const elapsed = Date.now() - start; expect(elapsed).to.equal(100); done(); }, 100); });
  • 36. Run npm test timeout .set() when called with a callback and a delay 1) should call the callback after the delay Uncaught AssertionError: expected 105 to equal 100 + expected - actual -105 +100
  • 38. Write deterministic tests that run fast ● Don’t rely on chance ● A less than 100% pass rate is not acceptable ● Don’t waste time with arbitrary delays ● Use the right tools for the [right] job
  • 40. Bring in Sinon http://sinonjs.org/ npm install --save-dev sinon
  • 41. Use a spy and a fake timer test/testTimeout.js: const sinon = require('sinon'); describe('timeout', () => { let clock = null; beforeEach(() => { clock = sinon.useFakeTimers(); }); afterEach(() => { clock.restore(); });
  • 42. Use a spy and a fake timer (continued) describe('.set()', () => { describe('when called with a callback and a delay', () => { it('should call the callback after the delay', () => { const callback = sinon.spy(); timeout.set(callback, 100); clock.tick(100); expect(callback).to.have.been.called; }); }); });
  • 43. Run npm test -- --grep timeout timeout .set() when called with a callback and a delay ✓ should call the callback after the delay 100% pass rate.
  • 45.
  • 46. Again, some inconsistencies ● Dummy ● Fake ● Stub ● Spy ● Mock http://www.martinfowler.com/bliki/TestDouble.html https://en.wikipedia.org/wiki/Test_double
  • 47. Test doubles - dependency injection
  • 48. Account service that takes DB as a dependency src/accountService.js: function AccountService(db) { this.db = db; } AccountService.prototype.findById = function (accountId, callback) { const results = this.db.querySync('account', { id: accountId }); callback(results[0]); }; module.exports = AccountService;
  • 49. Bring in Sinon-Chai https://github.com/domenic/sinon-chai npm install --save-dev sinon-chai const sinonChai = require('sinon-chai'); chai.use(sinonChai);
  • 50. Account service test test/testAccountService.js: describe('AccountService', () => { let db = null; let accountService = null; beforeEach(() => { db = { querySync: sinon.stub() }; accountService = new AccountService(db); });
  • 51. Account service test (continued) db.querySync.withArgs('account', { id: 1 }).returns([{ id: 1, name: 'John Doe' }]); const callback = sinon.spy(); accountService.findById(1, callback); expect(callback).to.have.been.calledWith({ id: 1, name: 'John Doe' });
  • 53. DB now uses promises src/accountService.js: function AccountService(db) { this.db = db; } AccountService.prototype.findById = function (accountId, callback) { return this.db .query('account', { id: accountId }) .then((results) => results[0]); }; module.exports = AccountService;
  • 54. Bring in sinon-as-promised https://www.npmjs.com/package/sinon-as-promised npm install --save-dev sinon-as-promised const sinonAsPromised = require('sinon-as-promised');
  • 55. Updated account service test beforeEach(() => { db = { query: sinon.stub() }; accountService = new AccountService(db); });
  • 56. Updated account service test (continued) db.query.withArgs('account', { id: 1 }).resolves([{ id: 1, name: 'John Doe' }]); return accountService.findById(1) .then((account) => { expect(account).to.deep.equal({ id: 1, name: 'John Doe' }); });
  • 58. When account not found db.query.withArgs('account', { id: -1 }).rejects( new Error('Account not found') ); return accountService.findById(-1) .catch((error) => { expect(error).to.deep.equal( new Error('Account not found') ); });
  • 59. But wait... src/accountService.js: AccountService.prototype.findById = function (accountId, callback) { if (accountId === -1) { return Promise.resolve({ id: -1, name: 'Negative One' }); } return this.db .query('account', { id: accountId }) .then((results) => results[0]); };
  • 60. Run npm test -- --grep account AccountService .findById() when called for an existing account ✓ should return a promise resolved with the account when called for a non-existent account ✓ should return a promise rejected with an error
  • 61. Need the positive case to fail the test return accountService.findById(-1) .catch((error) => { expect(error).to.deep.equal( new Error('Account not found') ); }) .then(() => { throw new Error('Should not have been resolved'); });
  • 62. Run npm test -- --grep account AccountService .findById() when called for an existing account ✓ should return a promise resolved with the account when called for a non-existent account 1) should return a promise rejected with an error
  • 64. Bring in Chai as Promised http://chaijs.com/plugins/chai-as-promised/ npm install --save-dev chai-as-promised const chaiAsPromised = require('chai-as-promised'); chai.use(chaiAsPromised);
  • 65. Updated positive test return expect(accountService.findById(1)) .to.eventually.deep.equal({ id: 1, name: 'John Doe' });
  • 66. Updated negative test return expect(accountService.findById(-1)) .to.eventually.be.rejectedWith(Error, 'Account not found');
  • 67. Run npm test -- --grep account AccountService .findById() when called for an existing account ✓ should return a promise resolved with the account when called for a non-existent account 1) should return a promise rejected with an error AssertionError: expected promise to be rejected with 'Error' but it was fulfilled with { id: -1, name: 'Negative One' }
  • 69. To intercept any module dependency - Mockery https://github.com/mfncooper/mockery npm install --save-dev mockery beforeEach(() => { mockery.enable({ warnOnReplace: false, warnOnUnregistered: false, useCleanCache: true }); mockery.registerMock('./db', db); }); afterEach(() => { mockery.disable(); });
  • 70. All code so far https://github.com/atesgoral/hello-test Clean commit history with 1 commit per example.
  • 71. Q&A