SlideShare a Scribd company logo
Unit Testing & TDD Training
For iOS & Android Native Apps
Agenda
- Part 1: Unit Testing Concepts
- Part 2: Test-Driven Development
- Part 3: Object Oriented Design for Testing
Unit Testing Concepts
Unit Testing Definition
- A unit test is code made to test a portion of
our applications code in an automated
manner, verifying methods functionality
(result or behavior) of a particular class (SUT
or System Under Testing).
Unit Tests Main Properties
- Independent
- Running a UT should not affect another UT run. Execution order is not
important.
- Fast
- A test which takes several seconds to run is not a Unit Test and
probably needs a refactor.
- Isolated
- UT should not depend on external systems. They need to know their
collaborators answers.
Test Class Structure
- Class Setup/TearDown
- Executed once when the UT class is initialized, not for every test in the
class. Useful to avoid test code duplication at class level.
- Test Setup/TearDown
- Executed once before and after each executed UT. Useful to avoid test
code duplication at test level.
- Test Methods
- The Unit Test implementation itself. Here is where the test run and
validations happens.
Android Test Structure Example (Java)
iOS Test Structure Example (Swift)
Tests Naming
- Use descriptive test names. It will provide quick
feedback when test fails.
- Avoid prefix “test” when no required by framework.
Android JUnit does not need it, XCTest require it.
- Choose names which in few words says:
- Method under testing
- Condition under testing
- Expected result/behavior
Tests Naming Examples
- Good examples:
- Android:
getPayments_oneRegisteredPayment_returnsListWithRegisteredPayment
- iOS:
testListPayments_oneRegisteredPayment_returnsListWithRegisteredPayment
- Bad examples:
- testCalculateArea2
- testCalculateArea3
Test Method Organization
- Arrange / Setup
- Prepare all needed objects/dependencies for test execution.
- Act / Test
- Test itself it performed, calling one specific method in the system
under testing.
- Assert / Verify
- Method result/behavior verification is performed at the end, using test
asserts.
Tests Verification Types
- State Verification
- Verify the result returned for the method under test, no matter which
interactions with other objects has been made. Useful and preferred
verification in most cases.
- Behavior Verification
- Verify that all tested method interactions among other collaboration
objects are the expected one (generally done using mocks). Useful for
some cases where interactions are important (for example a cache
implementation).
Android State Verification Example (Java)
iOS State Verification Example (Swift)
Test Doubles
- Dummy
- Fake
- Stubs
- Mocks
Test Doubles
- Dummy
- These are objects used to satisfy class dependencies, but they are not
used in the test execution itself. For example Java constructor or
Swift init dependencies for class instantiation.
- Fake
- Objects with functional implementation, but with useful shortcuts for
testing. For example an in-memory database, which works but after a
test run lost all stored data.
Test Doubles
- Stubs
- Objects with pre-programmed replies. They are not prepared to
respond to another thing more than what they were programmed for.
Useful in tests for state verifications.
- Mocks
- Pre-programmed objects with expectations, which are requirements
about it use, like: way to be called, invocations amount, invocations
parameters. Useful in tests for behavior verifications.
Android Behavior Verification Example (Java - Mockito)
Android Behavior Verification Example (Java - EasyMock)
iOS Behavior Verification Example (Swift)
Test-driven Development
(TDD)
What TDD is?
● It is a software development process driven by tests.
● It consist in first write one or more unit tests of a class yet to be
implemented, then write the minimum necessary code to make that test
pass.
● Each Unit Test represents a requirement for that class.
● Each Unit Test keeps and evaluates the developer's knowledge about that
class over time.
● It avoids unnecessary code complexity not specified by a particular
requirement.
What TDD is not?
● It is not a testing technique.
● It is not write a class first and then write tests to have a good code
coverage.
● It is not functional tests, it must be quickly executed and must not have
dependencies with external systems.
The TDD process - Step 1
Add a new unit test, that represents a
requirement for a method of a class.
The TDD process - Step 2
Execute the test and expect it to fail. In cases
when the test don't fail, this means that the
requirement has been fulfilled before. Go back
to step 1 and add a new unit test for a new
requirement.
The TDD process - Step 3
Implement the method in the class, to make
the new unit test successfully pass.
The TDD process - Step 4
Execute all the unit test suite, making sure that
all the previous test successfully pass. If some
tests fail, fix the implementation that make
those tests fail. Remember to re execute the
test suite every time the code has been
changed.
The TDD process - Step 5
Improvements and cleaning code, this can be
made without worries about breaking
something because the test suite gives us
immediate feedback if some test fails
TDD Process in a nutshell
1. Add a new test
2. Execute the test
3. Add the least amount of code necessary to make that test pass
4. Execute the whole test suite
5. Refactor and clean code
Tips
● Any development can be faced using TDD starting with an interface with
the signature of the methods to be implemented and tested.
● One single person can be in charge to implement the tests and other
person can be in charge to implement the class methods.
● An alternative to avoid the interface is to define the class with its method
by simply throwing an exception indicating that the method has not yet
been implemented.
Object Oriented Design for Testing
Dependency Injection
- Allows that dependent objects needed in our
class implementation can be specified
(injected) from outside of that class.
- This can be done using constructors/initializers
or properties.
Dependency Injection - Using Constructor (Java)
Dependency Injection - Using Initializer (Swift)
Dependency Injection - Using Setter (Java)
Dependency Injection - Using Property (Swift)
Single Responsibility
- Each class should have a single responsibility.
- Reduces coupling of different domain
functionalities.
- Facilitates classes reusage.
- The opposite of having Utils/Helper classes.
These classes hardly have a unique responsibility.
Single Responsibility - Examples
- Bad Example:
- Good Examples:
StringUtil
+isValidDate(String)
+parseDate(String)
+translateString(String)
DateParser
+isValidDate(String)
+parseDate(String)
TranslationService
+translateString(String)
Don’t talk to strangers (1)
- An object only should invoke methods of direct
known dependencies.
- Avoid calling dependencies of our dependencies
(strangers). This is avoid chain of methods in
code.
Don’t talk to strangers (2)
- It’s a guide, not a rule. For example this could be
avoid in model/entities objects.
- Reduces object coupling, improving code
maintainability and allows refactor when needed.
Don’t talk to strangers - Examples
- Bad Examples:
Java: this.paymentService.getStorageService().getStoredObject(paymentId)
Swift: self.paymentService.storageService.storedObjectWithId(paymentId)
- Good Examples:
Java: this.paymentService.getPayment(payement)
Swift: self.paymentService.paymentWithId(paymentId)
Tell don’t ask
- Objects should tell another objects to perform
actions instead of asking for data and processing
the data itself.
- Objects should be as lazy as possible and
delegate the processing to its dependencies.
- Improves class testability and class cohesion.
Tell don’t ask - Examples
- Bad Example:
- Good Example:
ShapeService
-shapes : List<Shape>
+calculateTotalArea() : float
Rectangle <Shape>
+getHeight() : float
+getWidth() : float
ShapeService
-shapes : List<Shape>
+calculateTotalArea() : float
Rectangle <Shape>
+calculateArea() : float
Shape
+calculateArea() : float
Circle <Shape>
+getRadius() : float
Circle <Shape>
+calculateArea() : float
Shape
Avoid Singletons
- Singleton is a pattern that share a global state in
the whole application.
- In unit testing, does not allow dependencies
control, because it hides class dependencies to
the consumer.
- Test execution order can affect the result of the
test run when using singletons.
Avoid Singletons - Examples
- Bad Example:
- Good Example:
PaymentService
-storageService
+PaymentService()
StorageService <<Singleton>>
-instance
+getInstance() : Storage
PaymentService
-storageService
+PaymentService(storageService)
StorageService
StorageServiceFactory
+getStorageService() : StorageService
MyApp
-paymentService
+execute()
MyApp
-paymentService
- storageService
+execute()
Questions?
Thank you so much!

More Related Content

What's hot

Benefit From Unit Testing In The Real World
Benefit From Unit Testing In The Real WorldBenefit From Unit Testing In The Real World
Benefit From Unit Testing In The Real World
Dror Helper
 
Unit Testing And Mocking
Unit Testing And MockingUnit Testing And Mocking
Unit Testing And Mocking
Joe Wilson
 
Unit testing
Unit testingUnit testing
Unit testing
Slideshare
 
How and what to unit test
How and what to unit testHow and what to unit test
How and what to unit test
Eugenio Lentini
 
Unit Testing Fundamentals
Unit Testing FundamentalsUnit Testing Fundamentals
Unit Testing Fundamentals
Richard Paul
 
Java Unit Test and Coverage Introduction
Java Unit Test and Coverage IntroductionJava Unit Test and Coverage Introduction
Java Unit Test and Coverage Introduction
Alex Su
 
Unit Testing Guidelines
Unit Testing GuidelinesUnit Testing Guidelines
Unit Testing Guidelines
Joel Hooks
 
Unit Test Presentation
Unit Test PresentationUnit Test Presentation
Unit Test Presentation
Sayedur Rahman
 
Assessing Unit Test Quality
Assessing Unit Test QualityAssessing Unit Test Quality
Assessing Unit Test Quality
guest268ee8
 
Understanding Unit Testing
Understanding Unit TestingUnderstanding Unit Testing
Understanding Unit Testing
ikhwanhayat
 
Unit testing, UI testing and Test Driven Development in Visual Studio 2012
Unit testing, UI testing and Test Driven Development in Visual Studio 2012Unit testing, UI testing and Test Driven Development in Visual Studio 2012
Unit testing, UI testing and Test Driven Development in Visual Studio 2012
Jacinto Limjap
 
N Unit Presentation
N Unit PresentationN Unit Presentation
N Unit Presentation
priya_trivedi
 
Xp Day 080506 Unit Tests And Mocks
Xp Day 080506 Unit Tests And MocksXp Day 080506 Unit Tests And Mocks
Xp Day 080506 Unit Tests And Mocks
guillaumecarre
 
Unit and integration Testing
Unit and integration TestingUnit and integration Testing
Unit and integration Testing
David Berliner
 
Beginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NETBeginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NET
Baskar K
 
Roy Osherove on Unit Testing Good Practices and Horrible Mistakes
Roy Osherove on Unit Testing Good Practices and Horrible MistakesRoy Osherove on Unit Testing Good Practices and Horrible Mistakes
Roy Osherove on Unit Testing Good Practices and Horrible Mistakes
Roy Osherove
 
Unit Tests And Automated Testing
Unit Tests And Automated TestingUnit Tests And Automated Testing
Unit Tests And Automated Testing
Lee Englestone
 
SE2_Lec 21_ TDD and Junit
SE2_Lec 21_ TDD and JunitSE2_Lec 21_ TDD and Junit
SE2_Lec 21_ TDD and Junit
Amr E. Mohamed
 
Unit Testing
Unit TestingUnit Testing
Unit Testing
Scott Leberknight
 
Quality Software With Unit Test
Quality Software With Unit TestQuality Software With Unit Test
Quality Software With Unit Test
alice yang
 

What's hot (20)

Benefit From Unit Testing In The Real World
Benefit From Unit Testing In The Real WorldBenefit From Unit Testing In The Real World
Benefit From Unit Testing In The Real World
 
Unit Testing And Mocking
Unit Testing And MockingUnit Testing And Mocking
Unit Testing And Mocking
 
Unit testing
Unit testingUnit testing
Unit testing
 
How and what to unit test
How and what to unit testHow and what to unit test
How and what to unit test
 
Unit Testing Fundamentals
Unit Testing FundamentalsUnit Testing Fundamentals
Unit Testing Fundamentals
 
Java Unit Test and Coverage Introduction
Java Unit Test and Coverage IntroductionJava Unit Test and Coverage Introduction
Java Unit Test and Coverage Introduction
 
Unit Testing Guidelines
Unit Testing GuidelinesUnit Testing Guidelines
Unit Testing Guidelines
 
Unit Test Presentation
Unit Test PresentationUnit Test Presentation
Unit Test Presentation
 
Assessing Unit Test Quality
Assessing Unit Test QualityAssessing Unit Test Quality
Assessing Unit Test Quality
 
Understanding Unit Testing
Understanding Unit TestingUnderstanding Unit Testing
Understanding Unit Testing
 
Unit testing, UI testing and Test Driven Development in Visual Studio 2012
Unit testing, UI testing and Test Driven Development in Visual Studio 2012Unit testing, UI testing and Test Driven Development in Visual Studio 2012
Unit testing, UI testing and Test Driven Development in Visual Studio 2012
 
N Unit Presentation
N Unit PresentationN Unit Presentation
N Unit Presentation
 
Xp Day 080506 Unit Tests And Mocks
Xp Day 080506 Unit Tests And MocksXp Day 080506 Unit Tests And Mocks
Xp Day 080506 Unit Tests And Mocks
 
Unit and integration Testing
Unit and integration TestingUnit and integration Testing
Unit and integration Testing
 
Beginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NETBeginners - Get Started With Unit Testing in .NET
Beginners - Get Started With Unit Testing in .NET
 
Roy Osherove on Unit Testing Good Practices and Horrible Mistakes
Roy Osherove on Unit Testing Good Practices and Horrible MistakesRoy Osherove on Unit Testing Good Practices and Horrible Mistakes
Roy Osherove on Unit Testing Good Practices and Horrible Mistakes
 
Unit Tests And Automated Testing
Unit Tests And Automated TestingUnit Tests And Automated Testing
Unit Tests And Automated Testing
 
SE2_Lec 21_ TDD and Junit
SE2_Lec 21_ TDD and JunitSE2_Lec 21_ TDD and Junit
SE2_Lec 21_ TDD and Junit
 
Unit Testing
Unit TestingUnit Testing
Unit Testing
 
Quality Software With Unit Test
Quality Software With Unit TestQuality Software With Unit Test
Quality Software With Unit Test
 

Viewers also liked

Unit Testing in Java
Unit Testing in JavaUnit Testing in Java
Unit Testing in Java
guy_davis
 
TDD Flow: The Mantra in Action
TDD Flow: The Mantra in ActionTDD Flow: The Mantra in Action
TDD Flow: The Mantra in Action
Dionatan default
 
TDD and the Legacy Code Black Hole
TDD and the Legacy Code Black HoleTDD and the Legacy Code Black Hole
TDD and the Legacy Code Black Hole
Noam Kfir
 
Making Swift even safer
Making Swift even saferMaking Swift even safer
Making Swift even safer
Denis Fileev
 
Unit testing in iOS featuring OCUnit, GHUnit & OCMock
Unit testing in iOS featuring OCUnit, GHUnit & OCMockUnit testing in iOS featuring OCUnit, GHUnit & OCMock
Unit testing in iOS featuring OCUnit, GHUnit & OCMock
Robot Media
 
Testing in swift
Testing in swiftTesting in swift
Testing in swifthugo lu
 
Unit Testing in Swift
Unit Testing in SwiftUnit Testing in Swift
Unit Testing in Swift
GlobalLogic Ukraine
 
Test Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose preso
Test Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose presoTest Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose preso
Test Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose preso
Elad Elrom
 
TDD and more than 9000 tries to sell it to a customer
TDD and more than 9000 tries to sell it to a customerTDD and more than 9000 tries to sell it to a customer
TDD and more than 9000 tries to sell it to a customer
Anuar Nurmakanov
 
UI Testing with Earl Grey
UI Testing with Earl GreyUI Testing with Earl Grey
UI Testing with Earl Grey
Shyam Bhat
 
TDD Overview
TDD OverviewTDD Overview
TDD Overview
Naresh Jain
 
Writing Swift code with great testability
Writing Swift code with great testabilityWriting Swift code with great testability
Writing Swift code with great testability
John Sundell
 
Test-Driven Development (TDD)
Test-Driven Development (TDD)Test-Driven Development (TDD)
Test-Driven Development (TDD)
Brian Rasmussen
 
TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...
TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...
TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...
Sven Amann
 
TDD - Agile
TDD - Agile TDD - Agile
TDD - Agile
harinderpisces
 
TDD or TFD
TDD or TFDTDD or TFD
TDD or TFD
young-il Park
 
Ornamental Iron Catalog-Hebei Founder
Ornamental Iron Catalog-Hebei FounderOrnamental Iron Catalog-Hebei Founder
Ornamental Iron Catalog-Hebei Founder
Evan Fan
 
KYE Keynote
KYE KeynoteKYE Keynote
KYE Keynote
Ben RICHARD
 
The Aleanda Group Q3 2009
The Aleanda Group Q3  2009The Aleanda Group Q3  2009
The Aleanda Group Q3 2009
Aleanda
 

Viewers also liked (20)

Unit Testing in Java
Unit Testing in JavaUnit Testing in Java
Unit Testing in Java
 
TDD Flow: The Mantra in Action
TDD Flow: The Mantra in ActionTDD Flow: The Mantra in Action
TDD Flow: The Mantra in Action
 
TDD and the Legacy Code Black Hole
TDD and the Legacy Code Black HoleTDD and the Legacy Code Black Hole
TDD and the Legacy Code Black Hole
 
Making Swift even safer
Making Swift even saferMaking Swift even safer
Making Swift even safer
 
Unit testing in iOS featuring OCUnit, GHUnit & OCMock
Unit testing in iOS featuring OCUnit, GHUnit & OCMockUnit testing in iOS featuring OCUnit, GHUnit & OCMock
Unit testing in iOS featuring OCUnit, GHUnit & OCMock
 
Testing in swift
Testing in swiftTesting in swift
Testing in swift
 
Unit Testing in Swift
Unit Testing in SwiftUnit Testing in Swift
Unit Testing in Swift
 
Test Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose preso
Test Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose presoTest Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose preso
Test Driven Development (TDD) with FlexUnit 4 - 360|Flex San Jose preso
 
TDD and more than 9000 tries to sell it to a customer
TDD and more than 9000 tries to sell it to a customerTDD and more than 9000 tries to sell it to a customer
TDD and more than 9000 tries to sell it to a customer
 
UI Testing with Earl Grey
UI Testing with Earl GreyUI Testing with Earl Grey
UI Testing with Earl Grey
 
TDD Overview
TDD OverviewTDD Overview
TDD Overview
 
Writing Swift code with great testability
Writing Swift code with great testabilityWriting Swift code with great testability
Writing Swift code with great testability
 
Test-Driven Development (TDD)
Test-Driven Development (TDD)Test-Driven Development (TDD)
Test-Driven Development (TDD)
 
TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...
TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...
TDD is for Dreamers, not for Real Developers, Isn't It? - Entwicklertag Frank...
 
TDD - Agile
TDD - Agile TDD - Agile
TDD - Agile
 
TDD or TFD
TDD or TFDTDD or TFD
TDD or TFD
 
Ornamental Iron Catalog-Hebei Founder
Ornamental Iron Catalog-Hebei FounderOrnamental Iron Catalog-Hebei Founder
Ornamental Iron Catalog-Hebei Founder
 
KYE Keynote
KYE KeynoteKYE Keynote
KYE Keynote
 
The Aleanda Group Q3 2009
The Aleanda Group Q3  2009The Aleanda Group Q3  2009
The Aleanda Group Q3 2009
 
Him Reak
Him ReakHim Reak
Him Reak
 

Similar to Unit Testing & TDD Training for Mobile Apps

Unit & integration testing
Unit & integration testingUnit & integration testing
Unit & integration testing
Pavlo Hodysh
 
Unit testing & TDD concepts with best practice guidelines.
Unit testing & TDD concepts with best practice guidelines.Unit testing & TDD concepts with best practice guidelines.
Unit testing & TDD concepts with best practice guidelines.
Mohamed Taman
 
Unit testing, principles
Unit testing, principlesUnit testing, principles
Unit testing, principles
Renato Primavera
 
Implementing TDD in for .net Core applications
Implementing TDD in for .net Core applicationsImplementing TDD in for .net Core applications
Implementing TDD in for .net Core applications
Ahmad Kazemi
 
Unit Testing Full@
Unit Testing Full@Unit Testing Full@
Unit Testing Full@
Alex Borsuk
 
Unit testing basics with NUnit and Visual Studio
Unit testing basics with NUnit and Visual StudioUnit testing basics with NUnit and Visual Studio
Unit testing basics with NUnit and Visual Studio
Amit Choudhary
 
Unit test documentation
Unit test documentationUnit test documentation
Unit test documentation
Anjan Debnath
 
Testing and TDD - KoJUG
Testing and TDD - KoJUGTesting and TDD - KoJUG
Testing and TDD - KoJUG
lburdz
 
Unit testing basic
Unit testing basicUnit testing basic
Unit testing basic
Yuri Anischenko
 
TDD Workshop UTN 2012
TDD Workshop UTN 2012TDD Workshop UTN 2012
TDD Workshop UTN 2012
Facundo Farias
 
An introduction to unit testing
An introduction to unit testingAn introduction to unit testing
An introduction to unit testing
Adam Stephensen
 
types of testing with descriptions and examples
types of testing with descriptions and examplestypes of testing with descriptions and examples
types of testing with descriptions and examples
Mani Deepak Choudhry
 
Test driven development(tdd)
Test driven development(tdd)Test driven development(tdd)
Test driven development(tdd)
Omar Youssef Shiha
 
Unit testing (Exploring the other side as a tester)
Unit testing (Exploring the other side as a tester)Unit testing (Exploring the other side as a tester)
Unit testing (Exploring the other side as a tester)
Abhijeet Vaikar
 
UNIT TESTING PPT
UNIT TESTING PPTUNIT TESTING PPT
UNIT TESTING PPT
suhasreddy1
 
Unit testing
Unit testingUnit testing
Unit testing
Murugesan Nataraj
 
Software testing for biginners
Software testing for biginnersSoftware testing for biginners
Software testing for biginners
Sriman Eshwar
 
Effective unit testing
Effective unit testingEffective unit testing
Effective unit testing
Roberto Casadei
 
Test driven development
Test driven developmentTest driven development
Test driven development
namkha87
 
An insight to test driven development and unit testing
An insight to test driven development and unit testingAn insight to test driven development and unit testing
An insight to test driven development and unit testing
Dharmendra Prasad
 

Similar to Unit Testing & TDD Training for Mobile Apps (20)

Unit & integration testing
Unit & integration testingUnit & integration testing
Unit & integration testing
 
Unit testing & TDD concepts with best practice guidelines.
Unit testing & TDD concepts with best practice guidelines.Unit testing & TDD concepts with best practice guidelines.
Unit testing & TDD concepts with best practice guidelines.
 
Unit testing, principles
Unit testing, principlesUnit testing, principles
Unit testing, principles
 
Implementing TDD in for .net Core applications
Implementing TDD in for .net Core applicationsImplementing TDD in for .net Core applications
Implementing TDD in for .net Core applications
 
Unit Testing Full@
Unit Testing Full@Unit Testing Full@
Unit Testing Full@
 
Unit testing basics with NUnit and Visual Studio
Unit testing basics with NUnit and Visual StudioUnit testing basics with NUnit and Visual Studio
Unit testing basics with NUnit and Visual Studio
 
Unit test documentation
Unit test documentationUnit test documentation
Unit test documentation
 
Testing and TDD - KoJUG
Testing and TDD - KoJUGTesting and TDD - KoJUG
Testing and TDD - KoJUG
 
Unit testing basic
Unit testing basicUnit testing basic
Unit testing basic
 
TDD Workshop UTN 2012
TDD Workshop UTN 2012TDD Workshop UTN 2012
TDD Workshop UTN 2012
 
An introduction to unit testing
An introduction to unit testingAn introduction to unit testing
An introduction to unit testing
 
types of testing with descriptions and examples
types of testing with descriptions and examplestypes of testing with descriptions and examples
types of testing with descriptions and examples
 
Test driven development(tdd)
Test driven development(tdd)Test driven development(tdd)
Test driven development(tdd)
 
Unit testing (Exploring the other side as a tester)
Unit testing (Exploring the other side as a tester)Unit testing (Exploring the other side as a tester)
Unit testing (Exploring the other side as a tester)
 
UNIT TESTING PPT
UNIT TESTING PPTUNIT TESTING PPT
UNIT TESTING PPT
 
Unit testing
Unit testingUnit testing
Unit testing
 
Software testing for biginners
Software testing for biginnersSoftware testing for biginners
Software testing for biginners
 
Effective unit testing
Effective unit testingEffective unit testing
Effective unit testing
 
Test driven development
Test driven developmentTest driven development
Test driven development
 
An insight to test driven development and unit testing
An insight to test driven development and unit testingAn insight to test driven development and unit testing
An insight to test driven development and unit testing
 

Recently uploaded

Fundamentals of Programming and Language Processors
Fundamentals of Programming and Language ProcessorsFundamentals of Programming and Language Processors
Fundamentals of Programming and Language Processors
Rakesh Kumar R
 
Artificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension FunctionsArtificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension Functions
Octavian Nadolu
 
AI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI App
AI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI AppAI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI App
AI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI App
Google
 
KuberTENes Birthday Bash Guadalajara - Introducción a Argo CD
KuberTENes Birthday Bash Guadalajara - Introducción a Argo CDKuberTENes Birthday Bash Guadalajara - Introducción a Argo CD
KuberTENes Birthday Bash Guadalajara - Introducción a Argo CD
rodomar2
 
Using Query Store in Azure PostgreSQL to Understand Query Performance
Using Query Store in Azure PostgreSQL to Understand Query PerformanceUsing Query Store in Azure PostgreSQL to Understand Query Performance
Using Query Store in Azure PostgreSQL to Understand Query Performance
Grant Fritchey
 
Vitthal Shirke Java Microservices Resume.pdf
Vitthal Shirke Java Microservices Resume.pdfVitthal Shirke Java Microservices Resume.pdf
Vitthal Shirke Java Microservices Resume.pdf
Vitthal Shirke
 
原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样
原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样
原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样
mz5nrf0n
 
Revolutionizing Visual Effects Mastering AI Face Swaps.pdf
Revolutionizing Visual Effects Mastering AI Face Swaps.pdfRevolutionizing Visual Effects Mastering AI Face Swaps.pdf
Revolutionizing Visual Effects Mastering AI Face Swaps.pdf
Undress Baby
 
UI5con 2024 - Boost Your Development Experience with UI5 Tooling Extensions
UI5con 2024 - Boost Your Development Experience with UI5 Tooling ExtensionsUI5con 2024 - Boost Your Development Experience with UI5 Tooling Extensions
UI5con 2024 - Boost Your Development Experience with UI5 Tooling Extensions
Peter Muessig
 
Automated software refactoring with OpenRewrite and Generative AI.pptx.pdf
Automated software refactoring with OpenRewrite and Generative AI.pptx.pdfAutomated software refactoring with OpenRewrite and Generative AI.pptx.pdf
Automated software refactoring with OpenRewrite and Generative AI.pptx.pdf
timtebeek1
 
Webinar On-Demand: Using Flutter for Embedded
Webinar On-Demand: Using Flutter for EmbeddedWebinar On-Demand: Using Flutter for Embedded
Webinar On-Demand: Using Flutter for Embedded
ICS
 
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s EcosystemUI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
Peter Muessig
 
GraphSummit Paris - The art of the possible with Graph Technology
GraphSummit Paris - The art of the possible with Graph TechnologyGraphSummit Paris - The art of the possible with Graph Technology
GraphSummit Paris - The art of the possible with Graph Technology
Neo4j
 
What is Master Data Management by PiLog Group
What is Master Data Management by PiLog GroupWhat is Master Data Management by PiLog Group
What is Master Data Management by PiLog Group
aymanquadri279
 
openEuler Case Study - The Journey to Supply Chain Security
openEuler Case Study - The Journey to Supply Chain SecurityopenEuler Case Study - The Journey to Supply Chain Security
openEuler Case Study - The Journey to Supply Chain Security
Shane Coughlan
 
A Study of Variable-Role-based Feature Enrichment in Neural Models of Code
A Study of Variable-Role-based Feature Enrichment in Neural Models of CodeA Study of Variable-Role-based Feature Enrichment in Neural Models of Code
A Study of Variable-Role-based Feature Enrichment in Neural Models of Code
Aftab Hussain
 
Oracle 23c New Features For DBAs and Developers.pptx
Oracle 23c New Features For DBAs and Developers.pptxOracle 23c New Features For DBAs and Developers.pptx
Oracle 23c New Features For DBAs and Developers.pptx
Remote DBA Services
 
Neo4j - Product Vision and Knowledge Graphs - GraphSummit Paris
Neo4j - Product Vision and Knowledge Graphs - GraphSummit ParisNeo4j - Product Vision and Knowledge Graphs - GraphSummit Paris
Neo4j - Product Vision and Knowledge Graphs - GraphSummit Paris
Neo4j
 
E-commerce Application Development Company.pdf
E-commerce Application Development Company.pdfE-commerce Application Development Company.pdf
E-commerce Application Development Company.pdf
Hornet Dynamics
 
Introducing Crescat - Event Management Software for Venues, Festivals and Eve...
Introducing Crescat - Event Management Software for Venues, Festivals and Eve...Introducing Crescat - Event Management Software for Venues, Festivals and Eve...
Introducing Crescat - Event Management Software for Venues, Festivals and Eve...
Crescat
 

Recently uploaded (20)

Fundamentals of Programming and Language Processors
Fundamentals of Programming and Language ProcessorsFundamentals of Programming and Language Processors
Fundamentals of Programming and Language Processors
 
Artificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension FunctionsArtificia Intellicence and XPath Extension Functions
Artificia Intellicence and XPath Extension Functions
 
AI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI App
AI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI AppAI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI App
AI Fusion Buddy Review: Brand New, Groundbreaking Gemini-Powered AI App
 
KuberTENes Birthday Bash Guadalajara - Introducción a Argo CD
KuberTENes Birthday Bash Guadalajara - Introducción a Argo CDKuberTENes Birthday Bash Guadalajara - Introducción a Argo CD
KuberTENes Birthday Bash Guadalajara - Introducción a Argo CD
 
Using Query Store in Azure PostgreSQL to Understand Query Performance
Using Query Store in Azure PostgreSQL to Understand Query PerformanceUsing Query Store in Azure PostgreSQL to Understand Query Performance
Using Query Store in Azure PostgreSQL to Understand Query Performance
 
Vitthal Shirke Java Microservices Resume.pdf
Vitthal Shirke Java Microservices Resume.pdfVitthal Shirke Java Microservices Resume.pdf
Vitthal Shirke Java Microservices Resume.pdf
 
原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样
原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样
原版定制美国纽约州立大学奥尔巴尼分校毕业证学位证书原版一模一样
 
Revolutionizing Visual Effects Mastering AI Face Swaps.pdf
Revolutionizing Visual Effects Mastering AI Face Swaps.pdfRevolutionizing Visual Effects Mastering AI Face Swaps.pdf
Revolutionizing Visual Effects Mastering AI Face Swaps.pdf
 
UI5con 2024 - Boost Your Development Experience with UI5 Tooling Extensions
UI5con 2024 - Boost Your Development Experience with UI5 Tooling ExtensionsUI5con 2024 - Boost Your Development Experience with UI5 Tooling Extensions
UI5con 2024 - Boost Your Development Experience with UI5 Tooling Extensions
 
Automated software refactoring with OpenRewrite and Generative AI.pptx.pdf
Automated software refactoring with OpenRewrite and Generative AI.pptx.pdfAutomated software refactoring with OpenRewrite and Generative AI.pptx.pdf
Automated software refactoring with OpenRewrite and Generative AI.pptx.pdf
 
Webinar On-Demand: Using Flutter for Embedded
Webinar On-Demand: Using Flutter for EmbeddedWebinar On-Demand: Using Flutter for Embedded
Webinar On-Demand: Using Flutter for Embedded
 
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s EcosystemUI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
UI5con 2024 - Keynote: Latest News about UI5 and it’s Ecosystem
 
GraphSummit Paris - The art of the possible with Graph Technology
GraphSummit Paris - The art of the possible with Graph TechnologyGraphSummit Paris - The art of the possible with Graph Technology
GraphSummit Paris - The art of the possible with Graph Technology
 
What is Master Data Management by PiLog Group
What is Master Data Management by PiLog GroupWhat is Master Data Management by PiLog Group
What is Master Data Management by PiLog Group
 
openEuler Case Study - The Journey to Supply Chain Security
openEuler Case Study - The Journey to Supply Chain SecurityopenEuler Case Study - The Journey to Supply Chain Security
openEuler Case Study - The Journey to Supply Chain Security
 
A Study of Variable-Role-based Feature Enrichment in Neural Models of Code
A Study of Variable-Role-based Feature Enrichment in Neural Models of CodeA Study of Variable-Role-based Feature Enrichment in Neural Models of Code
A Study of Variable-Role-based Feature Enrichment in Neural Models of Code
 
Oracle 23c New Features For DBAs and Developers.pptx
Oracle 23c New Features For DBAs and Developers.pptxOracle 23c New Features For DBAs and Developers.pptx
Oracle 23c New Features For DBAs and Developers.pptx
 
Neo4j - Product Vision and Knowledge Graphs - GraphSummit Paris
Neo4j - Product Vision and Knowledge Graphs - GraphSummit ParisNeo4j - Product Vision and Knowledge Graphs - GraphSummit Paris
Neo4j - Product Vision and Knowledge Graphs - GraphSummit Paris
 
E-commerce Application Development Company.pdf
E-commerce Application Development Company.pdfE-commerce Application Development Company.pdf
E-commerce Application Development Company.pdf
 
Introducing Crescat - Event Management Software for Venues, Festivals and Eve...
Introducing Crescat - Event Management Software for Venues, Festivals and Eve...Introducing Crescat - Event Management Software for Venues, Festivals and Eve...
Introducing Crescat - Event Management Software for Venues, Festivals and Eve...
 

Unit Testing & TDD Training for Mobile Apps

  • 1. Unit Testing & TDD Training For iOS & Android Native Apps
  • 2. Agenda - Part 1: Unit Testing Concepts - Part 2: Test-Driven Development - Part 3: Object Oriented Design for Testing
  • 4. Unit Testing Definition - A unit test is code made to test a portion of our applications code in an automated manner, verifying methods functionality (result or behavior) of a particular class (SUT or System Under Testing).
  • 5. Unit Tests Main Properties - Independent - Running a UT should not affect another UT run. Execution order is not important. - Fast - A test which takes several seconds to run is not a Unit Test and probably needs a refactor. - Isolated - UT should not depend on external systems. They need to know their collaborators answers.
  • 6. Test Class Structure - Class Setup/TearDown - Executed once when the UT class is initialized, not for every test in the class. Useful to avoid test code duplication at class level. - Test Setup/TearDown - Executed once before and after each executed UT. Useful to avoid test code duplication at test level. - Test Methods - The Unit Test implementation itself. Here is where the test run and validations happens.
  • 7. Android Test Structure Example (Java)
  • 8. iOS Test Structure Example (Swift)
  • 9. Tests Naming - Use descriptive test names. It will provide quick feedback when test fails. - Avoid prefix “test” when no required by framework. Android JUnit does not need it, XCTest require it. - Choose names which in few words says: - Method under testing - Condition under testing - Expected result/behavior
  • 10. Tests Naming Examples - Good examples: - Android: getPayments_oneRegisteredPayment_returnsListWithRegisteredPayment - iOS: testListPayments_oneRegisteredPayment_returnsListWithRegisteredPayment - Bad examples: - testCalculateArea2 - testCalculateArea3
  • 11. Test Method Organization - Arrange / Setup - Prepare all needed objects/dependencies for test execution. - Act / Test - Test itself it performed, calling one specific method in the system under testing. - Assert / Verify - Method result/behavior verification is performed at the end, using test asserts.
  • 12. Tests Verification Types - State Verification - Verify the result returned for the method under test, no matter which interactions with other objects has been made. Useful and preferred verification in most cases. - Behavior Verification - Verify that all tested method interactions among other collaboration objects are the expected one (generally done using mocks). Useful for some cases where interactions are important (for example a cache implementation).
  • 13. Android State Verification Example (Java)
  • 14. iOS State Verification Example (Swift)
  • 15. Test Doubles - Dummy - Fake - Stubs - Mocks
  • 16. Test Doubles - Dummy - These are objects used to satisfy class dependencies, but they are not used in the test execution itself. For example Java constructor or Swift init dependencies for class instantiation. - Fake - Objects with functional implementation, but with useful shortcuts for testing. For example an in-memory database, which works but after a test run lost all stored data.
  • 17. Test Doubles - Stubs - Objects with pre-programmed replies. They are not prepared to respond to another thing more than what they were programmed for. Useful in tests for state verifications. - Mocks - Pre-programmed objects with expectations, which are requirements about it use, like: way to be called, invocations amount, invocations parameters. Useful in tests for behavior verifications.
  • 18. Android Behavior Verification Example (Java - Mockito)
  • 19. Android Behavior Verification Example (Java - EasyMock)
  • 20. iOS Behavior Verification Example (Swift)
  • 22. What TDD is? ● It is a software development process driven by tests. ● It consist in first write one or more unit tests of a class yet to be implemented, then write the minimum necessary code to make that test pass. ● Each Unit Test represents a requirement for that class. ● Each Unit Test keeps and evaluates the developer's knowledge about that class over time. ● It avoids unnecessary code complexity not specified by a particular requirement.
  • 23. What TDD is not? ● It is not a testing technique. ● It is not write a class first and then write tests to have a good code coverage. ● It is not functional tests, it must be quickly executed and must not have dependencies with external systems.
  • 24. The TDD process - Step 1 Add a new unit test, that represents a requirement for a method of a class.
  • 25. The TDD process - Step 2 Execute the test and expect it to fail. In cases when the test don't fail, this means that the requirement has been fulfilled before. Go back to step 1 and add a new unit test for a new requirement.
  • 26. The TDD process - Step 3 Implement the method in the class, to make the new unit test successfully pass.
  • 27. The TDD process - Step 4 Execute all the unit test suite, making sure that all the previous test successfully pass. If some tests fail, fix the implementation that make those tests fail. Remember to re execute the test suite every time the code has been changed.
  • 28. The TDD process - Step 5 Improvements and cleaning code, this can be made without worries about breaking something because the test suite gives us immediate feedback if some test fails
  • 29. TDD Process in a nutshell 1. Add a new test 2. Execute the test 3. Add the least amount of code necessary to make that test pass 4. Execute the whole test suite 5. Refactor and clean code
  • 30. Tips ● Any development can be faced using TDD starting with an interface with the signature of the methods to be implemented and tested. ● One single person can be in charge to implement the tests and other person can be in charge to implement the class methods. ● An alternative to avoid the interface is to define the class with its method by simply throwing an exception indicating that the method has not yet been implemented.
  • 31. Object Oriented Design for Testing
  • 32. Dependency Injection - Allows that dependent objects needed in our class implementation can be specified (injected) from outside of that class. - This can be done using constructors/initializers or properties.
  • 33. Dependency Injection - Using Constructor (Java)
  • 34. Dependency Injection - Using Initializer (Swift)
  • 35. Dependency Injection - Using Setter (Java)
  • 36. Dependency Injection - Using Property (Swift)
  • 37. Single Responsibility - Each class should have a single responsibility. - Reduces coupling of different domain functionalities. - Facilitates classes reusage. - The opposite of having Utils/Helper classes. These classes hardly have a unique responsibility.
  • 38. Single Responsibility - Examples - Bad Example: - Good Examples: StringUtil +isValidDate(String) +parseDate(String) +translateString(String) DateParser +isValidDate(String) +parseDate(String) TranslationService +translateString(String)
  • 39. Don’t talk to strangers (1) - An object only should invoke methods of direct known dependencies. - Avoid calling dependencies of our dependencies (strangers). This is avoid chain of methods in code.
  • 40. Don’t talk to strangers (2) - It’s a guide, not a rule. For example this could be avoid in model/entities objects. - Reduces object coupling, improving code maintainability and allows refactor when needed.
  • 41. Don’t talk to strangers - Examples - Bad Examples: Java: this.paymentService.getStorageService().getStoredObject(paymentId) Swift: self.paymentService.storageService.storedObjectWithId(paymentId) - Good Examples: Java: this.paymentService.getPayment(payement) Swift: self.paymentService.paymentWithId(paymentId)
  • 42. Tell don’t ask - Objects should tell another objects to perform actions instead of asking for data and processing the data itself. - Objects should be as lazy as possible and delegate the processing to its dependencies. - Improves class testability and class cohesion.
  • 43. Tell don’t ask - Examples - Bad Example: - Good Example: ShapeService -shapes : List<Shape> +calculateTotalArea() : float Rectangle <Shape> +getHeight() : float +getWidth() : float ShapeService -shapes : List<Shape> +calculateTotalArea() : float Rectangle <Shape> +calculateArea() : float Shape +calculateArea() : float Circle <Shape> +getRadius() : float Circle <Shape> +calculateArea() : float Shape
  • 44. Avoid Singletons - Singleton is a pattern that share a global state in the whole application. - In unit testing, does not allow dependencies control, because it hides class dependencies to the consumer. - Test execution order can affect the result of the test run when using singletons.
  • 45. Avoid Singletons - Examples - Bad Example: - Good Example: PaymentService -storageService +PaymentService() StorageService <<Singleton>> -instance +getInstance() : Storage PaymentService -storageService +PaymentService(storageService) StorageService StorageServiceFactory +getStorageService() : StorageService MyApp -paymentService +execute() MyApp -paymentService - storageService +execute()
  • 47. Thank you so much!