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

PPTX
Unit Testing
PPTX
Unit testing
PPTX
Test driven development in .Net - 2010 + Eclipse
PDF
Clean Unit Test Patterns
PPTX
Unit tests & TDD
PPTX
Unit Testing Concepts and Best Practices
PPTX
An Introduction to Unit Testing
PPTX
Unit Testing (C#)
Unit Testing
Unit testing
Test driven development in .Net - 2010 + Eclipse
Clean Unit Test Patterns
Unit tests & TDD
Unit Testing Concepts and Best Practices
An Introduction to Unit Testing
Unit Testing (C#)

What's hot (20)

PPTX
Benefit From Unit Testing In The Real World
PPTX
Unit Testing And Mocking
PPTX
Unit testing
PDF
How and what to unit test
PDF
Unit Testing Fundamentals
PPTX
Java Unit Test and Coverage Introduction
PDF
Unit Testing Guidelines
PPSX
Unit Test Presentation
PPT
Assessing Unit Test Quality
PPTX
Understanding Unit Testing
PPTX
Unit testing, UI testing and Test Driven Development in Visual Studio 2012
PPT
N Unit Presentation
PPT
Xp Day 080506 Unit Tests And Mocks
PDF
Unit and integration Testing
ODP
Beginners - Get Started With Unit Testing in .NET
PPTX
Roy Osherove on Unit Testing Good Practices and Horrible Mistakes
PPTX
Unit Tests And Automated Testing
PDF
SE2_Lec 21_ TDD and Junit
PDF
Unit Testing
PPT
Quality Software With Unit Test
Benefit From Unit Testing In The Real World
Unit Testing And Mocking
Unit testing
How and what to unit test
Unit Testing Fundamentals
Java Unit Test and Coverage Introduction
Unit Testing Guidelines
Unit Test Presentation
Assessing Unit Test Quality
Understanding Unit Testing
Unit testing, UI testing and Test Driven Development in Visual Studio 2012
N Unit Presentation
Xp Day 080506 Unit Tests And Mocks
Unit and integration Testing
Beginners - Get Started With Unit Testing in .NET
Roy Osherove on Unit Testing Good Practices and Horrible Mistakes
Unit Tests And Automated Testing
SE2_Lec 21_ TDD and Junit
Unit Testing
Quality Software With Unit Test
Ad

Viewers also liked (20)

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

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

PPTX
Unit & integration testing
PPTX
Unit testing & TDD concepts with best practice guidelines.
PDF
Unit testing, principles
PPTX
Implementing TDD in for .net Core applications
PPTX
Unit Testing Full@
PPTX
Unit testing basics with NUnit and Visual Studio
PDF
Unit test documentation
PDF
Testing and TDD - KoJUG
PDF
Unit testing basic
PDF
TDD Workshop UTN 2012
PDF
What is Unit Testing_ - A Complete Guide.pdf
PDF
An introduction to unit testing
PPT
types of testing with descriptions and examples
PDF
What is Unit Testing? - A Complete Guide
PPTX
Test driven development(tdd)
PDF
Unit testing (Exploring the other side as a tester)
PPTX
UNIT TESTING PPT
PPT
Unit testing
PPT
Software testing for biginners
ODP
Effective unit testing
Unit & integration testing
Unit testing & TDD concepts with best practice guidelines.
Unit testing, principles
Implementing TDD in for .net Core applications
Unit Testing Full@
Unit testing basics with NUnit and Visual Studio
Unit test documentation
Testing and TDD - KoJUG
Unit testing basic
TDD Workshop UTN 2012
What is Unit Testing_ - A Complete Guide.pdf
An introduction to unit testing
types of testing with descriptions and examples
What is Unit Testing? - A Complete Guide
Test driven development(tdd)
Unit testing (Exploring the other side as a tester)
UNIT TESTING PPT
Unit testing
Software testing for biginners
Effective unit testing

Recently uploaded (20)

PDF
Navsoft: AI-Powered Business Solutions & Custom Software Development
PDF
Design an Analysis of Algorithms I-SECS-1021-03
PDF
medical staffing services at VALiNTRY
PDF
Nekopoi APK 2025 free lastest update
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 41
PDF
Internet Downloader Manager (IDM) Crack 6.42 Build 42 Updates Latest 2025
PDF
PTS Company Brochure 2025 (1).pdf.......
PDF
Addressing The Cult of Project Management Tools-Why Disconnected Work is Hold...
PPTX
Agentic AI Use Case- Contract Lifecycle Management (CLM).pptx
PDF
SAP S4 Hana Brochure 3 (PTS SYSTEMS AND SOLUTIONS)
PPTX
L1 - Introduction to python Backend.pptx
PDF
Digital Strategies for Manufacturing Companies
PPTX
Lecture 3: Operating Systems Introduction to Computer Hardware Systems
PDF
Odoo Companies in India – Driving Business Transformation.pdf
PDF
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
PDF
How Creative Agencies Leverage Project Management Software.pdf
PDF
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
PPTX
Online Work Permit System for Fast Permit Processing
PDF
2025 Textile ERP Trends: SAP, Odoo & Oracle
PDF
Which alternative to Crystal Reports is best for small or large businesses.pdf
Navsoft: AI-Powered Business Solutions & Custom Software Development
Design an Analysis of Algorithms I-SECS-1021-03
medical staffing services at VALiNTRY
Nekopoi APK 2025 free lastest update
Internet Downloader Manager (IDM) Crack 6.42 Build 41
Internet Downloader Manager (IDM) Crack 6.42 Build 42 Updates Latest 2025
PTS Company Brochure 2025 (1).pdf.......
Addressing The Cult of Project Management Tools-Why Disconnected Work is Hold...
Agentic AI Use Case- Contract Lifecycle Management (CLM).pptx
SAP S4 Hana Brochure 3 (PTS SYSTEMS AND SOLUTIONS)
L1 - Introduction to python Backend.pptx
Digital Strategies for Manufacturing Companies
Lecture 3: Operating Systems Introduction to Computer Hardware Systems
Odoo Companies in India – Driving Business Transformation.pdf
Claude Code: Everyone is a 10x Developer - A Comprehensive AI-Powered CLI Tool
How Creative Agencies Leverage Project Management Software.pdf
Raksha Bandhan Grocery Pricing Trends in India 2025.pdf
Online Work Permit System for Fast Permit Processing
2025 Textile ERP Trends: SAP, Odoo & Oracle
Which alternative to Crystal Reports is best for small or large businesses.pdf

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!