SlideShare a Scribd company logo
Testing
A brief introduction
Main concepts
“I get paid for code that works, not for
tests, so my philosophy is to test as little
as possible to reach a given level of
confidence …”
Kent Beck
No silver bullets
What is testing about?
Getting feedback,
as much frequent as we can
the sooner, the better
TAXONOMY
Taxonomy
Scope
Unit
Integration
System
Visibillity
Black box
White box
Intention
Acceptance
Functional
Non Functional
…
Technique
Static
Dynamic
Execution
Automatic
Manual
Visibillity
Black
box
White
box
System
Integration
Unit
Intention
Acceptance
Functional
Non
Functional
Technique
Dynamic
Static
Introduction to Software Testing
Scope
Database
PORT1 PORT2
ADAPTER1
Unittest
Database
Dependency injection
•Dependency:
A depends on B when A needs B to do
its job.
•Injection:
Object which uses A tells A who is B.
Dependency injection
• Separate business logic from creation logic
• Avoid use of new for service objects.
• Value objects can be created any where.
• Service objects in charge to implement business
logic.
• IOC Container or factories in charge of creation
logic.
Dependency injection
public UserService(UserValidator userValidator, UserDao userDao) {
this.userValidator = userValidator;
this.userDao = userDao;
}
public User createUser(User user) throws ValidationException {
this.userValidator.validate(user);
user = this.userDao.create(user);
return user;
}
public User createUser(User user) throws ValidationException {
UserValidator userValidator = new UserValidator(...);
userValidator.validate(user);
UserDao userDao = new UserDao(...);
user = userDao.create(user);
return user;
}
VS
Dependency injection
public UserService(UserValidator userValidator, UserDao userDao) {
this.userValidator = userValidator;
this.userDao = userDao;
}
public User createUser(User user) throws ValidationException {
this.userValidator.validate(user);
user = this.userDao.create(user);
return user;
}
public User createUser(User user) throws ValidationException {
UserValidator userValidator = new UserValidator(...);
userValidator.validate(user);
UserDao userDao = new UserDao(...);
user = userDao.create(user);
return user;
}
VS
Test doubles
•Fake
•Stub
•Spy
•Mock
Test doubles (Fake)
public UserDaoFake implements UserDao {
@Override
public User create(User user) {
return new User(...);
}
}
Fake implementation in order to make test pass.
Test doubles (Stub)
UserValidator validatorMock = mock(UserValidator.class);
stub(validatorMock.validate(any(User.class))).toThrow(new ValidationException());
var validateCall = Sinon.stub();
validatorStub.withArgs(user)
.onFirstCall().returns(validationError);
var userValidator = {
validate: validatorStub;
}
OR WITH JS
Stubs provide canned answers to calls made during the test,
usually not responding at all to anything outside what’s
programmed in for the test.
Test doubles (Spy)
Spies are objects that also record some
information based on how they were called
var validatorSpy = Sinon.spy();
var userValidator = {
validate: validatorSpy;
}
userValidator.validate(user);
sinon.assert.calledOnce(validatorSpy);
sinon.assert.calledWith(validatorSpy, user);
OR WITH JS
UserValidator validatorSpy = spy(new UserValidator());
doThrow(new ValidationException()).when(validatorSpy).validate();
verify(validatorMock).validate(any(User.class))
Test doubles (Spy)
Spies are objects that also record some
information based on how they were called
var validatorSpy = Sinon.spy();
var userValidator = {
validate: validatorSpy;
}
userValidator.validate(user);
sinon.assert.calledOnce(validatorSpy);
sinon.assert.calledWith(validatorSpy, user);
OR WITH JS
UserValidator validatorSpy = spy(new UserValidator());
doThrow(new ValidationException()).when(validatorSpy).validate();
Test doubles (Mocks)
UserValidator validatorMock = mock(UserValidator.class);
when(validatorMock.validate(any(User.class))).thenTrhow(new ValidationException());
verify(validatorMock).validate(any(User.class))
Informal: think in a Stub which is also a Spy.
It also responds with default values to non-explicitly
declared methods
var validatorAPI = {validate: function()};
var validatorMock = Sinon.mock(validatorAPI);
validatorMock.expects('validate').once()
.withArgs(user).throws(validationError)
validatorAPI.validate(user)
validatorMock.verify()
OR WITH JS
Integrationtestwhichwanttobeunittests
Database
FIRST(IT)
• Fast
Hundreds or thousands per second
• Isolates
Failure reasons become obvious
• Repeatable
In any order, any time
• Self-validating
No manual execution required
• Timely
Written before code
• Immutable*
SUT is in the same state after execute the tests
• Trusted*
When the test fails, the system fail and when the test works, the system
works
Integrationtestwhichworkswithexternalsystem
Database
IntegrationtestwhichusestheUI
Database
Systemtest
Database
Who, when and where run the tests?
• Unit
• Owner: developer
• When: after every change
• Where: every computer
• Integration
• Owner: developer || QA team
• When: as part or after commit stage
• Where: devel and pre-pro environments
• System
• Owner: QA team
• When: as part or after commit stage
• Where: devel and pre-pro environments
STRATEGIES
Static evaluation
•Informal review
•Formal review (inspection)
• Checklists
• Sucessive abstraction
•Walkthrough
Dynamic evaluation
• White box
• Path Coverage
• Statement Coverage
• Condition Coverage
• Function Coverage
• Black box
• Equivalence partitioning
• Boundary values analysis
White box (*-coverage)
1. Get flow diagram of the SUT
2. Calculate cyclomatic complexity
3. Determine a data set which force going one path or another
4. Exercise the SUT with this dataset.
...
errors = []
if (user.name ==null || user.email == null) {
errors.push('mandatory fields not found');
}
//do the rest of whatever
for (var i=0; i < user.friends ; i++) {
errors.push(checkFriendShipt(user.friends[i]))
}
...
White box (*-coverage)
1. Get flow diagram of the SUT
2. Calculate cyclomatic complexity
3. Determine a data set which force going one path or another
4. Exercise the SUT with this dataset.
a
b c
d
…x
...
errors = []
if (user.name ==null || user.email == null) {
errors.push('mandatory fields not found');
}
//do the rest of whatever
for (var i=0; i < user.friends ; i++) {
errors.push(checkFriendShipt(user.friends[i]))
}
...
White box (*-coverage)
1. Get flow diagram of the SUT
2. Calculate cyclomatic complexity
3. Determine a data set which force going one path or another
4. Exercise the SUT with this dataset.
edges – nodes + 2 = predicate nodes +1 = number of regions
a
b c
d
…x
...
errors = []
if (user.name ==null || user.email == null) {
errors.push('mandatory fields not found');
}
//do the rest of whatever
for (var i=0; i < user.friends ; i++) {
errors.push(checkFriendShipt(user.friends[i]))
}
...
Black box (partitioning)
1. Identify equivalence classes
2. Select dataset:
1. Assign a unique value for every class
2. Select tests cases which cover the most
valid classes
3. Select tests cases which cover only one
invalid class at the same time
Black box (partitioning)
Register
Username*
Password (6-10 chars including numbers)
Black box (partitioning)
Register
Username*
Password (6-10 chars including numbers)
Username Password
U1: myNick P1: p4ssw0rd
U2: “empty” P2: p4ss
P3: l4rg3p4ssw0rd
P4: password
Black box (partitioning)
Register
Username*
Password (6-10 chars including numbers)
Username Password
U1: myNick P1: p4ssw0rd
U2: “empty” P2: p4ss
P3: l4rg3p4ssw0rd
P4: password
Test Cases
myNick, p4ssw0rd √
myNick, p4ss X
myNick, l4rg3p4ssw0rd X
myNick, password X
“empty”, p4ssw0rd X
AUTOMATIC TESTING
4 phases-tests
1.Set Up
2.Exercise
3.Verify
4.TearDown
Testing frameworks families
• X-Unit
• @Before(Class)
• @Test
• @After(Class)
• Rspec
• describe
• beforeEach
• it
• afterEach
• Specification by example (A.K.A BDD)
• Given
• When
• Then
XUnit
@Before
public void setUp() {
this.userValidator = mock(UserValidator.class);
this.userDao = mock(UserDao.class);
this.userService = new UserService(userValidator, userDao);
}
@Test
public void createValidUserShouldNotFail() {
//Exercise
User expectedCreatedUser = new User("irrelevantUser");
when(userValidator.validate(any(User.class)));
when(userValidator.validate(any(User.class))).thenReturn(createdUser);
User createdUser = userService.create(new User());
//Assertions
assertThat(createdUser, equalTo(expectedCreatedUser));
}
@Test(expected=ValidationException)
public void createInvalidUserShouldFail() {
when(userValidator.validate(any(User.class)))
.thenReturn(new ValidationException());
userService.create(new User("irrelevantUser"));
}
@After
public void tearDown() {
//clean the state here
}
Rspec (suite per class)
describe('UserService test suite:', function(){
beforeEach(function(){
// setup the SUT
})
it('when create a valid user should not fail', function(){
// exercise + assertions
})
it('when create an invalid user should fail', function(){
// exercise + assertions
})
afterEach(function(){
// clean the state
})
})
• UserService test suite:
• When create a valid user should not fail √
• When create an invalid user should fail √
The report will look like:
Rspec (suite per setup)
describe('UserService test suite:', function(){
describe("when create a valid user ", function() {
beforeEach(function(){
// setup and exercise
})
it('should return valid user', function(){
// partial assertions
})
it('should call validator', function(){
// partial assertions
})
it('should call dao', function(){
// partial assertions
})
afterEach(function(){
// clean the state
})
})
})
BDD (specification)
Feature: User registration
Scenario: User tries to register sending valid data so the system will create new account
Given the user has introduced <username> and <password> into the registration form
And has accepted terms and agreements
When send the registration from
Then the user with <username> should be created
Example:
| username | password |
| myNick | p4ssw0rd |
Scenario: User tries to register sending invalid data so the system will reject user
Given the user has introduced <username> and <password> into the registration form
And has accepted terms and agreements
When send the registration from
Then the system should notify <error>
Example:
| username | password | error |
| myNick | p4ss | password should have at least 6 characters |
| myNick | l4rg3p4ssword | password should have at less than 10 characters |
| myNick | password | password should contains at least a number |
| | p4ssword | username is mandatory |
BDD(implementation)
@given("the user has introduced (w)+ and (w)+ into the registration form")
public void populateForm(String username, String password) {
...
}
@given("has accepted terms and agreements")
public void acceptTerms() {
...
}
@when("send the registration from")
public void sendRegistrationForm() {
...
}
@then("the user with (w)+ should be created")
public void verifyUserIsCreated(String username) {
...
}
@then("the system should notify <error>")
public void verifyErrors(String error) {
...
}
TESTABLE DESIGN
Non-Testable design smells
(by Misko Hevery*)
•Constructors does Real Work
•Digging into collaborators
•Brittle Global State & Singletons
•Class Does Too Much Work
*See http://misko.hevery.com/attachments/Guide-Writing%20Testable%20Code.pdf
Constructors does Real Work
• new keyword in a constructor or at field declaration
• Static method calls in a constructor or at field declaration
• Anything more than field assignment in constructors
• Object not fully initialized after the constructor finishes
(watch out for initialize methods)
• Control flow (conditional or looping logic) in a
constructor
• CL does complex object graph construction inside a
constructor rather than using a factory or builder
• Adding or using an initialization block
Digging into collaborators
• Objects are passed in but never used directly
(only used to get access to other objects)
• Law of Demeter violation: method call chain
walks an object graph with more than one dot (.)
• Suspicious names: context, environment,
principal, container, or manager
Brittle Global State & Singletons
• Adding or using singletons
• Adding or using static fields or static
methods
• Adding or using static initialization blocks
• Adding or using registries
• Adding or using service locators
Class Does Too Much Work
• Summing up what the class does includes the
word “and”
• Class would be challenging for new team
members to read and quickly “get it”
• Class has fields that are only used in some
methods
• Class has static methods that only operate on
parameters
Questions & Stupid questions
• ¿Where I place my tests?
• ¿Who tests the classes which test our classes?
• ¿Could you be able to rewrite the code only reading the tests
definitions?
• I spend more time writing code to setup my SUT than writing
the test, how do you solve it?
• ¿What is the minimum coverage should I expect for my code?
• I’ve never write a test ¿where can I start?
• My code is not testable at all, ¿what can I do?
¿Where I place my tests?
• Unit tests:
• Test Class per Class
• Test Class per SetUp (useful in Xunit frameworks)
• Important naming convention (<ClassName>Test,
<TestSuite>IntegrationTest, …)
• System tests:
• Different project
¿Where I place my tests?
Java Project (Test Class per Class)
MyProject/
src/
main/
java/
com.groupId.artifactId.MyClass.java
resources/
test/
java/
com.groupId.artifactId.MyClassTest.java
com.groupId.artifactId.it.suite.MyTestCaseIntegrationTest.java
resources/
NodeJs Project
MyProject/
lib/
myClass.js
main.js
test/
ut/
/suite
it/
lib/
myClassTest.js
Java Project (Class per SetUp)
MyProject/
src/
main/
…
test/
java/
com.groupId.artifactId.myclass.<SetUp1>Test.java
com.groupId.artifactId.myclass.<SetUp2>Test.java
…
¿Where I place my tests?
Android Project
MyProject/
AndroidManifest.xml
res/
... (resources for main application)
src/
... (source code for main application) ...
tests/
AndroidManifest.xml
res/
... (resources for tests)
src/
... (source code for tests)
IOS Project
MyIOSProject/
MyIOSProject/
... app code ...
MyIOSProjectTests/
... test code ...
¿Who tests the classes which
test our classes?
• Exactly, this is why it’s so important our tests follow
KISS
¿Couldyoube able to rewrite the codeonly
reading the tests definitions?
• Tests (specially Black Box tests) should tell us an story.
• Use descriptive name methods for unit tests:
• User well defined, and complete scenarios for system tests:
• Use business vocabulary for acceptance tests:
public void testValidaterUser1 { ... }
VS
public void validateUserWithNoPasswordShouldThrowsError { ... }
com.mycompany.artifactId.it.TestSteps ...
VS
com.mycompany.artifactId.it.usermanagement.UserCreationSteps ...
IspendmoretimewritingcodetosetupmySUTthan
writingthetest,howdo you solveit?
• Read about Fixtures (Xunit Patterns is a
good reference)
• Fresh fixtures
• Shared fixtures
• Persistent fixtures
Iduplicatetoomuchcodeonobjectscreation,mocks
definitionandassertion…
• Writing a lot of code to initialize value objects?
• Create DataBuilders
• Writing a lot of code to initialize mock/stub objects?
• Create MockBuilders
• Writing a lot of asserts (more purist says only one assertion)?
• Create CustomAsserts
User user = userDataBuilder.createValidUser();
VS
User user = new User("irrelevantUsername", "v4l1dP4ss", irrelevant@myCompany.com", ...);
assertNotNull(user.getUsername());
assertNotNull(user.getPassword());
assertNotNull(user.getEmail());
...
VS
assertContainsAllMandatoryData(user);
¿What is the minimum coverage
should I expect for my code?
• It depends on the project.
• “… test as little as possible to reach a given level
of confidence …”
• Do not get obsess over test coverage, it’s a
metric, not a goal.
I’ve never write a test ¿where can I
start?
Database
PORT1 PORT2
ADAPTER1
I’ll bet you a
beer , you
called it *Util…
My code is not testable at all,
¿what can I do?
• First of all, go to http://refactoring.com/
• I suggest:
1. Add integration regression test.
2. Remove new from methods and ad it to constructors (this will
prepare your class for dependency injection).
3. Creates a constructor which receive every dependency your
class will need.
4. Remove static classes and methods (adding the new non-static
as a class dependency).
5. Add as much tests as you want to ;)
Important!!! Do it step by step
Recommended reading
• Growing Object Oriented Software Guided Tests
• Xunit Patterns
• Continuous delivery
• Hexagonal Architecture
• Inversion of Control Container and the Dependency Injection
pattern
• Mocks aren’t Stubs
• Misko Hevery blog
• http://refactoring.com/
• …
Place your question here!

More Related Content

PDF
Some testing - Everything you should know about testing to go with @pedro_g_s...
Sergio Arroyo
 
PDF
#codemotion2016: Everything you should know about testing to go with @pedro_g...
Sergio Arroyo
 
PDF
Sample Chapter of Practical Unit Testing with TestNG and Mockito
Tomek Kaczanowski
 
PPT
2012 JDays Bad Tests Good Tests
Tomek Kaczanowski
 
PDF
2013 DevFest Vienna - Bad Tests, Good Tests
Tomek Kaczanowski
 
PDF
GeeCON 2012 Bad Tests, Good Tests
Tomek Kaczanowski
 
PDF
Confitura 2012 Bad Tests, Good Tests
Tomek Kaczanowski
 
PDF
33rd Degree 2013, Bad Tests, Good Tests
Tomek Kaczanowski
 
Some testing - Everything you should know about testing to go with @pedro_g_s...
Sergio Arroyo
 
#codemotion2016: Everything you should know about testing to go with @pedro_g...
Sergio Arroyo
 
Sample Chapter of Practical Unit Testing with TestNG and Mockito
Tomek Kaczanowski
 
2012 JDays Bad Tests Good Tests
Tomek Kaczanowski
 
2013 DevFest Vienna - Bad Tests, Good Tests
Tomek Kaczanowski
 
GeeCON 2012 Bad Tests, Good Tests
Tomek Kaczanowski
 
Confitura 2012 Bad Tests, Good Tests
Tomek Kaczanowski
 
33rd Degree 2013, Bad Tests, Good Tests
Tomek Kaczanowski
 

What's hot (20)

ODP
Testing in-groovy
Franz Allan See
 
PDF
Mocking in Java with Mockito
Richard Paul
 
PDF
JUnit Pioneer
Scott Leberknight
 
PDF
ReactJS for Programmers
David Rodenas
 
PDF
JUnit & Mockito, first steps
Renato Primavera
 
PPTX
Mock your way with Mockito
Vitaly Polonetsky
 
PDF
Android testing
Sean Tsai
 
PPTX
Mockito intro
Jonathan Holloway
 
KEY
Basic Unit Testing with Mockito
Alexander De Leon
 
PPTX
Migrating to JUnit 5
Rafael Winterhalter
 
PPT
JMockit Framework Overview
Mario Peshev
 
PDF
JUnit Kung Fu: Getting More Out of Your Unit Tests
John Ferguson Smart Limited
 
PPT
Exceptions
Soham Sengupta
 
PDF
10 Typical Enterprise Java Problems
Eberhard Wolff
 
PPTX
Testing And Mxunit In ColdFusion
Denard Springle IV
 
PPT
Mockito with a hint of PowerMock
Ying Zhang
 
PDF
Mockito a simple, intuitive mocking framework
Phat VU
 
PPT
Java Threads
Kapish Joshi
 
PPT
xUnit Style Database Testing
Chris Oldwood
 
PDF
關於測試,我說的其實是......
hugo lu
 
Testing in-groovy
Franz Allan See
 
Mocking in Java with Mockito
Richard Paul
 
JUnit Pioneer
Scott Leberknight
 
ReactJS for Programmers
David Rodenas
 
JUnit & Mockito, first steps
Renato Primavera
 
Mock your way with Mockito
Vitaly Polonetsky
 
Android testing
Sean Tsai
 
Mockito intro
Jonathan Holloway
 
Basic Unit Testing with Mockito
Alexander De Leon
 
Migrating to JUnit 5
Rafael Winterhalter
 
JMockit Framework Overview
Mario Peshev
 
JUnit Kung Fu: Getting More Out of Your Unit Tests
John Ferguson Smart Limited
 
Exceptions
Soham Sengupta
 
10 Typical Enterprise Java Problems
Eberhard Wolff
 
Testing And Mxunit In ColdFusion
Denard Springle IV
 
Mockito with a hint of PowerMock
Ying Zhang
 
Mockito a simple, intuitive mocking framework
Phat VU
 
Java Threads
Kapish Joshi
 
xUnit Style Database Testing
Chris Oldwood
 
關於測試,我說的其實是......
hugo lu
 
Ad

Similar to Introduction to Software Testing (20)

PDF
MT_01_unittest_python.pdf
Hans Jones
 
PDF
Test driven development
christoforosnalmpantis
 
PPT
Introduzione al TDD
Andrea Francia
 
PPT
Security Testing
Kiran Kumar
 
PDF
Breaking Dependencies To Allow Unit Testing - Steve Smith | FalafelCON 2014
FalafelSoftware
 
PDF
Breaking Dependencies to Allow Unit Testing
Steven Smith
 
PPTX
Pragmatic unittestingwithj unit
liminescence
 
ODP
Grails unit testing
pleeps
 
PPTX
Java Unit Test and Coverage Introduction
Alex Su
 
PDF
Testing the waters of iOS
Kremizas Kostas
 
PPTX
More on Fitnesse and Continuous Integration (Silicon Valley code camp 2012)
Jen Wong
 
PDF
We Are All Testers Now: The Testing Pyramid and Front-End Development
All Things Open
 
PPTX
Building unit tests correctly with visual studio 2013
Dror Helper
 
PDF
Effective Unit Testing
Narendra Pathai
 
PDF
LECTURE 2 MORE TYPES, METHODS, CONDITIONALS.pdf
ShashikantSathe3
 
PPTX
saihw1_weka_tutorial.pptx - Machine Discovery and Social Network ...
butest
 
PDF
Introduction to web programming for java and c# programmers by @drpicox
David Rodenas
 
PPTX
Breaking Dependencies to Allow Unit Testing
Steven Smith
 
PPTX
Principles and patterns for test driven development
Stephen Fuqua
 
PDF
Testing, Performance Analysis, and jQuery 1.4
jeresig
 
MT_01_unittest_python.pdf
Hans Jones
 
Test driven development
christoforosnalmpantis
 
Introduzione al TDD
Andrea Francia
 
Security Testing
Kiran Kumar
 
Breaking Dependencies To Allow Unit Testing - Steve Smith | FalafelCON 2014
FalafelSoftware
 
Breaking Dependencies to Allow Unit Testing
Steven Smith
 
Pragmatic unittestingwithj unit
liminescence
 
Grails unit testing
pleeps
 
Java Unit Test and Coverage Introduction
Alex Su
 
Testing the waters of iOS
Kremizas Kostas
 
More on Fitnesse and Continuous Integration (Silicon Valley code camp 2012)
Jen Wong
 
We Are All Testers Now: The Testing Pyramid and Front-End Development
All Things Open
 
Building unit tests correctly with visual studio 2013
Dror Helper
 
Effective Unit Testing
Narendra Pathai
 
LECTURE 2 MORE TYPES, METHODS, CONDITIONALS.pdf
ShashikantSathe3
 
saihw1_weka_tutorial.pptx - Machine Discovery and Social Network ...
butest
 
Introduction to web programming for java and c# programmers by @drpicox
David Rodenas
 
Breaking Dependencies to Allow Unit Testing
Steven Smith
 
Principles and patterns for test driven development
Stephen Fuqua
 
Testing, Performance Analysis, and jQuery 1.4
jeresig
 
Ad

Recently uploaded (20)

PDF
49784907924775488180_LRN2959_Data_Pump_23ai.pdf
Abilash868456
 
PDF
WatchTraderHub - Watch Dealer software with inventory management and multi-ch...
WatchDealer Pavel
 
PDF
10 posting ideas for community engagement with AI prompts
Pankaj Taneja
 
PPTX
The-Dawn-of-AI-Reshaping-Our-World.pptxx
parthbhanushali307
 
PDF
What to consider before purchasing Microsoft 365 Business Premium_PDF.pdf
Q-Advise
 
PDF
Protecting the Digital World Cyber Securit
dnthakkar16
 
PDF
Summary Of Odoo 18.1 to 18.4 : The Way For Odoo 19
CandidRoot Solutions Private Limited
 
PPTX
AI-Ready Handoff: Auto-Summaries & Draft Emails from MQL to Slack in One Flow
bbedford2
 
PPTX
Visualising Data with Scatterplots in IBM SPSS Statistics.pptx
Version 1 Analytics
 
PDF
Salesforce Implementation Services Provider.pdf
VALiNTRY360
 
PDF
Bandai Playdia The Book - David Glotz
BluePanther6
 
PDF
An Experience-Based Look at AI Lead Generation Pricing, Features & B2B Results
Thomas albart
 
DOCX
Can You Build Dashboards Using Open Source Visualization Tool.docx
Varsha Nayak
 
PDF
vAdobe Premiere Pro 2025 (v25.2.3.004) Crack Pre-Activated Latest
imang66g
 
PDF
ChatPharo: an Open Architecture for Understanding How to Talk Live to LLMs
ESUG
 
PPTX
slidesgo-unlocking-the-code-the-dynamic-dance-of-variables-and-constants-2024...
kr2589474
 
PPTX
Maximizing Revenue with Marketo Measure: A Deep Dive into Multi-Touch Attribu...
bbedford2
 
PDF
advancepresentationskillshdhdhhdhdhdhhfhf
jasmenrojas249
 
PDF
Enhancing Healthcare RPM Platforms with Contextual AI Integration
Cadabra Studio
 
PPT
Why Reliable Server Maintenance Service in New York is Crucial for Your Business
Sam Vohra
 
49784907924775488180_LRN2959_Data_Pump_23ai.pdf
Abilash868456
 
WatchTraderHub - Watch Dealer software with inventory management and multi-ch...
WatchDealer Pavel
 
10 posting ideas for community engagement with AI prompts
Pankaj Taneja
 
The-Dawn-of-AI-Reshaping-Our-World.pptxx
parthbhanushali307
 
What to consider before purchasing Microsoft 365 Business Premium_PDF.pdf
Q-Advise
 
Protecting the Digital World Cyber Securit
dnthakkar16
 
Summary Of Odoo 18.1 to 18.4 : The Way For Odoo 19
CandidRoot Solutions Private Limited
 
AI-Ready Handoff: Auto-Summaries & Draft Emails from MQL to Slack in One Flow
bbedford2
 
Visualising Data with Scatterplots in IBM SPSS Statistics.pptx
Version 1 Analytics
 
Salesforce Implementation Services Provider.pdf
VALiNTRY360
 
Bandai Playdia The Book - David Glotz
BluePanther6
 
An Experience-Based Look at AI Lead Generation Pricing, Features & B2B Results
Thomas albart
 
Can You Build Dashboards Using Open Source Visualization Tool.docx
Varsha Nayak
 
vAdobe Premiere Pro 2025 (v25.2.3.004) Crack Pre-Activated Latest
imang66g
 
ChatPharo: an Open Architecture for Understanding How to Talk Live to LLMs
ESUG
 
slidesgo-unlocking-the-code-the-dynamic-dance-of-variables-and-constants-2024...
kr2589474
 
Maximizing Revenue with Marketo Measure: A Deep Dive into Multi-Touch Attribu...
bbedford2
 
advancepresentationskillshdhdhhdhdhdhhfhf
jasmenrojas249
 
Enhancing Healthcare RPM Platforms with Contextual AI Integration
Cadabra Studio
 
Why Reliable Server Maintenance Service in New York is Crucial for Your Business
Sam Vohra
 

Introduction to Software Testing

  • 3. “I get paid for code that works, not for tests, so my philosophy is to test as little as possible to reach a given level of confidence …” Kent Beck
  • 6. Getting feedback, as much frequent as we can
  • 14. Dependency injection •Dependency: A depends on B when A needs B to do its job. •Injection: Object which uses A tells A who is B.
  • 15. Dependency injection • Separate business logic from creation logic • Avoid use of new for service objects. • Value objects can be created any where. • Service objects in charge to implement business logic. • IOC Container or factories in charge of creation logic.
  • 16. Dependency injection public UserService(UserValidator userValidator, UserDao userDao) { this.userValidator = userValidator; this.userDao = userDao; } public User createUser(User user) throws ValidationException { this.userValidator.validate(user); user = this.userDao.create(user); return user; } public User createUser(User user) throws ValidationException { UserValidator userValidator = new UserValidator(...); userValidator.validate(user); UserDao userDao = new UserDao(...); user = userDao.create(user); return user; } VS
  • 17. Dependency injection public UserService(UserValidator userValidator, UserDao userDao) { this.userValidator = userValidator; this.userDao = userDao; } public User createUser(User user) throws ValidationException { this.userValidator.validate(user); user = this.userDao.create(user); return user; } public User createUser(User user) throws ValidationException { UserValidator userValidator = new UserValidator(...); userValidator.validate(user); UserDao userDao = new UserDao(...); user = userDao.create(user); return user; } VS
  • 19. Test doubles (Fake) public UserDaoFake implements UserDao { @Override public User create(User user) { return new User(...); } } Fake implementation in order to make test pass.
  • 20. Test doubles (Stub) UserValidator validatorMock = mock(UserValidator.class); stub(validatorMock.validate(any(User.class))).toThrow(new ValidationException()); var validateCall = Sinon.stub(); validatorStub.withArgs(user) .onFirstCall().returns(validationError); var userValidator = { validate: validatorStub; } OR WITH JS Stubs provide canned answers to calls made during the test, usually not responding at all to anything outside what’s programmed in for the test.
  • 21. Test doubles (Spy) Spies are objects that also record some information based on how they were called var validatorSpy = Sinon.spy(); var userValidator = { validate: validatorSpy; } userValidator.validate(user); sinon.assert.calledOnce(validatorSpy); sinon.assert.calledWith(validatorSpy, user); OR WITH JS UserValidator validatorSpy = spy(new UserValidator()); doThrow(new ValidationException()).when(validatorSpy).validate(); verify(validatorMock).validate(any(User.class))
  • 22. Test doubles (Spy) Spies are objects that also record some information based on how they were called var validatorSpy = Sinon.spy(); var userValidator = { validate: validatorSpy; } userValidator.validate(user); sinon.assert.calledOnce(validatorSpy); sinon.assert.calledWith(validatorSpy, user); OR WITH JS UserValidator validatorSpy = spy(new UserValidator()); doThrow(new ValidationException()).when(validatorSpy).validate();
  • 23. Test doubles (Mocks) UserValidator validatorMock = mock(UserValidator.class); when(validatorMock.validate(any(User.class))).thenTrhow(new ValidationException()); verify(validatorMock).validate(any(User.class)) Informal: think in a Stub which is also a Spy. It also responds with default values to non-explicitly declared methods var validatorAPI = {validate: function()}; var validatorMock = Sinon.mock(validatorAPI); validatorMock.expects('validate').once() .withArgs(user).throws(validationError) validatorAPI.validate(user) validatorMock.verify() OR WITH JS
  • 25. FIRST(IT) • Fast Hundreds or thousands per second • Isolates Failure reasons become obvious • Repeatable In any order, any time • Self-validating No manual execution required • Timely Written before code • Immutable* SUT is in the same state after execute the tests • Trusted* When the test fails, the system fail and when the test works, the system works
  • 29. Who, when and where run the tests? • Unit • Owner: developer • When: after every change • Where: every computer • Integration • Owner: developer || QA team • When: as part or after commit stage • Where: devel and pre-pro environments • System • Owner: QA team • When: as part or after commit stage • Where: devel and pre-pro environments
  • 31. Static evaluation •Informal review •Formal review (inspection) • Checklists • Sucessive abstraction •Walkthrough
  • 32. Dynamic evaluation • White box • Path Coverage • Statement Coverage • Condition Coverage • Function Coverage • Black box • Equivalence partitioning • Boundary values analysis
  • 33. White box (*-coverage) 1. Get flow diagram of the SUT 2. Calculate cyclomatic complexity 3. Determine a data set which force going one path or another 4. Exercise the SUT with this dataset. ... errors = [] if (user.name ==null || user.email == null) { errors.push('mandatory fields not found'); } //do the rest of whatever for (var i=0; i < user.friends ; i++) { errors.push(checkFriendShipt(user.friends[i])) } ...
  • 34. White box (*-coverage) 1. Get flow diagram of the SUT 2. Calculate cyclomatic complexity 3. Determine a data set which force going one path or another 4. Exercise the SUT with this dataset. a b c d …x ... errors = [] if (user.name ==null || user.email == null) { errors.push('mandatory fields not found'); } //do the rest of whatever for (var i=0; i < user.friends ; i++) { errors.push(checkFriendShipt(user.friends[i])) } ...
  • 35. White box (*-coverage) 1. Get flow diagram of the SUT 2. Calculate cyclomatic complexity 3. Determine a data set which force going one path or another 4. Exercise the SUT with this dataset. edges – nodes + 2 = predicate nodes +1 = number of regions a b c d …x ... errors = [] if (user.name ==null || user.email == null) { errors.push('mandatory fields not found'); } //do the rest of whatever for (var i=0; i < user.friends ; i++) { errors.push(checkFriendShipt(user.friends[i])) } ...
  • 36. Black box (partitioning) 1. Identify equivalence classes 2. Select dataset: 1. Assign a unique value for every class 2. Select tests cases which cover the most valid classes 3. Select tests cases which cover only one invalid class at the same time
  • 38. Black box (partitioning) Register Username* Password (6-10 chars including numbers) Username Password U1: myNick P1: p4ssw0rd U2: “empty” P2: p4ss P3: l4rg3p4ssw0rd P4: password
  • 39. Black box (partitioning) Register Username* Password (6-10 chars including numbers) Username Password U1: myNick P1: p4ssw0rd U2: “empty” P2: p4ss P3: l4rg3p4ssw0rd P4: password Test Cases myNick, p4ssw0rd √ myNick, p4ss X myNick, l4rg3p4ssw0rd X myNick, password X “empty”, p4ssw0rd X
  • 42. Testing frameworks families • X-Unit • @Before(Class) • @Test • @After(Class) • Rspec • describe • beforeEach • it • afterEach • Specification by example (A.K.A BDD) • Given • When • Then
  • 43. XUnit @Before public void setUp() { this.userValidator = mock(UserValidator.class); this.userDao = mock(UserDao.class); this.userService = new UserService(userValidator, userDao); } @Test public void createValidUserShouldNotFail() { //Exercise User expectedCreatedUser = new User("irrelevantUser"); when(userValidator.validate(any(User.class))); when(userValidator.validate(any(User.class))).thenReturn(createdUser); User createdUser = userService.create(new User()); //Assertions assertThat(createdUser, equalTo(expectedCreatedUser)); } @Test(expected=ValidationException) public void createInvalidUserShouldFail() { when(userValidator.validate(any(User.class))) .thenReturn(new ValidationException()); userService.create(new User("irrelevantUser")); } @After public void tearDown() { //clean the state here }
  • 44. Rspec (suite per class) describe('UserService test suite:', function(){ beforeEach(function(){ // setup the SUT }) it('when create a valid user should not fail', function(){ // exercise + assertions }) it('when create an invalid user should fail', function(){ // exercise + assertions }) afterEach(function(){ // clean the state }) }) • UserService test suite: • When create a valid user should not fail √ • When create an invalid user should fail √ The report will look like:
  • 45. Rspec (suite per setup) describe('UserService test suite:', function(){ describe("when create a valid user ", function() { beforeEach(function(){ // setup and exercise }) it('should return valid user', function(){ // partial assertions }) it('should call validator', function(){ // partial assertions }) it('should call dao', function(){ // partial assertions }) afterEach(function(){ // clean the state }) }) })
  • 46. BDD (specification) Feature: User registration Scenario: User tries to register sending valid data so the system will create new account Given the user has introduced <username> and <password> into the registration form And has accepted terms and agreements When send the registration from Then the user with <username> should be created Example: | username | password | | myNick | p4ssw0rd | Scenario: User tries to register sending invalid data so the system will reject user Given the user has introduced <username> and <password> into the registration form And has accepted terms and agreements When send the registration from Then the system should notify <error> Example: | username | password | error | | myNick | p4ss | password should have at least 6 characters | | myNick | l4rg3p4ssword | password should have at less than 10 characters | | myNick | password | password should contains at least a number | | | p4ssword | username is mandatory |
  • 47. BDD(implementation) @given("the user has introduced (w)+ and (w)+ into the registration form") public void populateForm(String username, String password) { ... } @given("has accepted terms and agreements") public void acceptTerms() { ... } @when("send the registration from") public void sendRegistrationForm() { ... } @then("the user with (w)+ should be created") public void verifyUserIsCreated(String username) { ... } @then("the system should notify <error>") public void verifyErrors(String error) { ... }
  • 49. Non-Testable design smells (by Misko Hevery*) •Constructors does Real Work •Digging into collaborators •Brittle Global State & Singletons •Class Does Too Much Work *See http://misko.hevery.com/attachments/Guide-Writing%20Testable%20Code.pdf
  • 50. Constructors does Real Work • new keyword in a constructor or at field declaration • Static method calls in a constructor or at field declaration • Anything more than field assignment in constructors • Object not fully initialized after the constructor finishes (watch out for initialize methods) • Control flow (conditional or looping logic) in a constructor • CL does complex object graph construction inside a constructor rather than using a factory or builder • Adding or using an initialization block
  • 51. Digging into collaborators • Objects are passed in but never used directly (only used to get access to other objects) • Law of Demeter violation: method call chain walks an object graph with more than one dot (.) • Suspicious names: context, environment, principal, container, or manager
  • 52. Brittle Global State & Singletons • Adding or using singletons • Adding or using static fields or static methods • Adding or using static initialization blocks • Adding or using registries • Adding or using service locators
  • 53. Class Does Too Much Work • Summing up what the class does includes the word “and” • Class would be challenging for new team members to read and quickly “get it” • Class has fields that are only used in some methods • Class has static methods that only operate on parameters
  • 54. Questions & Stupid questions • ¿Where I place my tests? • ¿Who tests the classes which test our classes? • ¿Could you be able to rewrite the code only reading the tests definitions? • I spend more time writing code to setup my SUT than writing the test, how do you solve it? • ¿What is the minimum coverage should I expect for my code? • I’ve never write a test ¿where can I start? • My code is not testable at all, ¿what can I do?
  • 55. ¿Where I place my tests? • Unit tests: • Test Class per Class • Test Class per SetUp (useful in Xunit frameworks) • Important naming convention (<ClassName>Test, <TestSuite>IntegrationTest, …) • System tests: • Different project
  • 56. ¿Where I place my tests? Java Project (Test Class per Class) MyProject/ src/ main/ java/ com.groupId.artifactId.MyClass.java resources/ test/ java/ com.groupId.artifactId.MyClassTest.java com.groupId.artifactId.it.suite.MyTestCaseIntegrationTest.java resources/ NodeJs Project MyProject/ lib/ myClass.js main.js test/ ut/ /suite it/ lib/ myClassTest.js Java Project (Class per SetUp) MyProject/ src/ main/ … test/ java/ com.groupId.artifactId.myclass.<SetUp1>Test.java com.groupId.artifactId.myclass.<SetUp2>Test.java …
  • 57. ¿Where I place my tests? Android Project MyProject/ AndroidManifest.xml res/ ... (resources for main application) src/ ... (source code for main application) ... tests/ AndroidManifest.xml res/ ... (resources for tests) src/ ... (source code for tests) IOS Project MyIOSProject/ MyIOSProject/ ... app code ... MyIOSProjectTests/ ... test code ...
  • 58. ¿Who tests the classes which test our classes? • Exactly, this is why it’s so important our tests follow KISS
  • 59. ¿Couldyoube able to rewrite the codeonly reading the tests definitions? • Tests (specially Black Box tests) should tell us an story. • Use descriptive name methods for unit tests: • User well defined, and complete scenarios for system tests: • Use business vocabulary for acceptance tests: public void testValidaterUser1 { ... } VS public void validateUserWithNoPasswordShouldThrowsError { ... } com.mycompany.artifactId.it.TestSteps ... VS com.mycompany.artifactId.it.usermanagement.UserCreationSteps ...
  • 60. IspendmoretimewritingcodetosetupmySUTthan writingthetest,howdo you solveit? • Read about Fixtures (Xunit Patterns is a good reference) • Fresh fixtures • Shared fixtures • Persistent fixtures
  • 61. Iduplicatetoomuchcodeonobjectscreation,mocks definitionandassertion… • Writing a lot of code to initialize value objects? • Create DataBuilders • Writing a lot of code to initialize mock/stub objects? • Create MockBuilders • Writing a lot of asserts (more purist says only one assertion)? • Create CustomAsserts User user = userDataBuilder.createValidUser(); VS User user = new User("irrelevantUsername", "v4l1dP4ss", [email protected]", ...); assertNotNull(user.getUsername()); assertNotNull(user.getPassword()); assertNotNull(user.getEmail()); ... VS assertContainsAllMandatoryData(user);
  • 62. ¿What is the minimum coverage should I expect for my code? • It depends on the project. • “… test as little as possible to reach a given level of confidence …” • Do not get obsess over test coverage, it’s a metric, not a goal.
  • 63. I’ve never write a test ¿where can I start? Database PORT1 PORT2 ADAPTER1 I’ll bet you a beer , you called it *Util…
  • 64. My code is not testable at all, ¿what can I do? • First of all, go to http://refactoring.com/ • I suggest: 1. Add integration regression test. 2. Remove new from methods and ad it to constructors (this will prepare your class for dependency injection). 3. Creates a constructor which receive every dependency your class will need. 4. Remove static classes and methods (adding the new non-static as a class dependency). 5. Add as much tests as you want to ;) Important!!! Do it step by step
  • 65. Recommended reading • Growing Object Oriented Software Guided Tests • Xunit Patterns • Continuous delivery • Hexagonal Architecture • Inversion of Control Container and the Dependency Injection pattern • Mocks aren’t Stubs • Misko Hevery blog • http://refactoring.com/ • …