SlideShare uma empresa Scribd logo
1 de 40
Baixar para ler offline
Test Driven Development
Dhaval Dalal
software-artisan.com
@softwareartisan
What TDD is not?
TDD
is not
about Testing!
TDD
is not
Test Last
or
DDT
(Design Driven Tests)
What TDD is?
TDD
or
Test First
is about
evolving the design of the system through
Tests.
2
4
3 2
4
5
TDD Episode
[TestFixture]
public class OddNumberFilterTest {
[Test]
public void FiltersOutOddNumbers() {
OddNumberFilter filter = new OddNumberFilter();
int [] numbers = new int [] { 3, 4 };
int [] evenNumbers = filter.Filter(numbers);
Assert.That(evenNumbers, Has.Count(1));
Assert.That(evenNumbers, Has.Member(4));
Assert.That(evenNumbers, Has.No.Member(3));
}
}
dhaval.dalal@software-artisan.com
Specify What Software Should Do...
Then
When
Given
public class OddNumberFilter {
public int [] Filter (params int [] numbers)
{
throw new NotImplementedException();
}
}
dhaval.dalal@software-artisan.com
Write Just Enough Code To Compile
Red
dhaval.dalal@software-artisan.com
public class OddNumberFilter {
public int [] Filter (params int [] numbers)
{
List<int> evenNumbers = new List<int>();
foreach (int number in numbers)
{
if (number % 2 == 0)
{
evenNumbers.Add(number);
}
}
return evenNumbers.ToArray();
}
}
dhaval.dalal@software-artisan.com
Write Enough Code To Pass The
Specification...
Green
dhaval.dalal@software-artisan.com
dhaval.dalal@software-artisan.com
General Test Structure
Setup the Givens
(Context in which the Test runs)
Then verify the Assertions
(State or Behavior verifications)
Exercise the Whens
(Perform the actual operation)
Arrange
Assert
Act
[TestFixture]
public class NumberFilterTest {
[Test]
public void FiltersOddNumbers() {
OddNumberFilter filter = new OddNumberFilter();
int [] numbers = new int [] { 3, 4 };
int [] evenNumbers = filter.Filter(numbers);
Assert.That(evenNumbers, Has.Count(1));
Assert.That(evenNumbers, Has.Member(4));
Assert.That(evenNumbers, Has.No.Member(3));
}
dhaval.dalal@software-artisan.com
Add New Feature:
Filter-out Non-Primes
[TestFixture]
public class NumberFilterTest {
[Test]
public void FiltersOddNumbers() {
OddNumberFilter filter = new OddNumberFilter();
int [] numbers = new int [] { 3, 4 };
int [] evenNumbers = filter.Filter(numbers);
Assert.That(evenNumbers, Has.Count(1));
Assert.That(evenNumbers, Has.Member(4));
Assert.That(evenNumbers, Has.No.Member(3));
}
[Test]
public void FiltersNonPrimes() {
NonPrimesFilter filter = new NonPrimesFilter();
int [] numbers = new int [] { 4, 5 };
int [] primeNumbers = filter.Filter(numbers);
Assert.That(primeNumbers, Has.Count(1));
Assert.That(primeNumbers, Has.Member(5));
Assert.That(primeNumbers, Has.No.Member(4));
}
}
dhaval.dalal@software-artisan.com
Add New Feature:
Filter-out Non-Primes
[TestFixture]
public class NumberFilterTest {
[Test]
public void FiltersOddNumbers() {
OddNumberFilter filter = new OddNumberFilter();
int [] numbers = new int [] { 3, 4 };
int [] evenNumbers = filter.Filter(numbers);
Assert.That(evenNumbers, Has.Count(1));
Assert.That(evenNumbers, Has.Member(4));
Assert.That(evenNumbers, Has.No.Member(3));
}
[Test]
public void FiltersNonPrimes() {
NonPrimesFilter filter = new NonPrimesFilter();
int [] numbers = new int [] { 4, 5 };
int [] primeNumbers = filter.Filter(numbers);
Assert.That(primeNumbers, Has.Count(1));
Assert.That(primeNumbers, Has.Member(5));
Assert.That(primeNumbers, Has.No.Member(4));
}
}
dhaval.dalal@software-artisan.com
Add New Feature:
Filter-out Non-Primes
Duplication
of Concept
[TestFixture]
public class NumberFilterTest {
[Test]
public void FiltersOddNumbers() {
OddNumberFilter filter = new OddNumberFilter();
int [] numbers = new int [] { 3, 4 };
int [] evenNumbers = filter.Filter(numbers);
Assert.That(evenNumbers, Has.Count(1));
Assert.That(evenNumbers, Has.Member(4));
Assert.That(evenNumbers, Has.No.Member(3));
}
[Test]
public void FiltersNonPrimes() {
NonPrimesFilter filter = new NonPrimesFilter();
int [] numbers = new int [] { 4, 5 };
int [] primeNumbers = filter.Filter(numbers);
Assert.That(primeNumbers, Has.Count(1));
Assert.That(primeNumbers, Has.Member(5));
Assert.That(primeNumbers, Has.No.Member(4));
}
}
dhaval.dalal@software-artisan.com
Add New Feature:
Filter-out Non-Primes
Duplication
of Concept
Duplication
of Concept
Refactor
dhaval.dalal@software-artisan.com
public interface IFilter {
int [] filter.Filter(param int [] numbers);
}
dhaval.dalal@software-artisan.com
Introduce Abstraction
[TestFixture]
public class NumberFilterTest {
[Test]
public void FiltersOutOddNumbers() {
IFilter filter = new OddNumberFilter();
int [] numbers = new int [] { 3, 4 };
int [] evenNumbers = filter.Filter(numbers);
Assert.That(evenNumbers, Has.Count(1));
Assert.That(evenNumbers, Has.Member(4));
Assert.That(evenNumbers, Has.No.Member(3));
}
[Test]
public void FiltersOutNonPrimes() {
IFilter filter = new NonPrimesFilter();
int [] numbers = new int [] { 4, 5 };
int [] primeNumbers = filter.Filter(numbers);
Assert.That(primeNumbers, Has.Count(1));
Assert.That(primeNumbers, Has.Member(5));
Assert.That(primeNumbers, Has.No.Member(4));
}
}
dhaval.dalal@software-artisan.com
Refactored Code
Red
TDD Rhythm
Red Green
TDD Rhythm
Red Green
TDD Rhythm
Refactor
dhaval.dalal@software-artisan.com
TDD Rhythm Flowchart
Write just enough
Code to compile
Refactor Code
Pass the Test
(GREEN)
Fail the Test
(RED)
Write just enough
Code to pass the test
Specify what
the software
should do
Pass the Test
(GREEN)
So, TDD is about…
Analyzing what little you actually need to
do and how cleanly you can do it!
Carving design of your code a unit test at a
time.
dhaval.dalal@software-artisan.com
Write Tests Before Writing Code
! Focuses the mind (and the development
process)
" Deliver only what is absolutely necessary.
" System so developed does exactly what it
needs to do and no more.
" Need not code for future
! YAGNI (You Ain’t Gonna Need It!)...no gold plating!
dhaval.dalal@software-artisan.com
TDD is a Design Technique
! Makes you think in terms of Object
behavior.
" How client is going to interact with the object.
! Outside-In
! Object so created is “consumer aware”
" What Object provides and needs from
environment.
" Traditional OOD focuses only on Object’s
Implementation
! Inside-Out
dhaval.dalal@software-artisan.com
TDD results in a Decoupled Design
! Favors Composition over Inheritance.
" Relies on dependency injection for
collaborators.
! Avoids tight coupling to global objects
" Singletons mix static and state.
" Makes design untestable.
! Many small, loosely coupled classes.
! Makes you think of inter-object
interactions in terms of interfaces.
" Promotes Programming to Super-Types and not
Concretes.
Listening to the Tests
! A difficulty in implementing a new
feature is usually a symptom that the
design can be improved.
" Ask why is it difficult to test? Don’t just think
how do I test this?
! TDD is not just about functionality, it gives
us feedback on code’s internal quality.
" How is the coupling and cohesion?
" Are we preserving encapsulation?
" What about implicit or explicit dependencies?
Source: Growing Object-Oriented Software, Guided by Tests
Listening to the Tests
! Check continuously, observe and
meditate on the tests, they might tell you
something.
! The idea is to let the test drive the design.
That’s why it is called Test Driven Design.
Source: Growing Object-Oriented Software, Guided by Tests
dhaval.dalal@software-artisan.com
Benefits of TDD
! Test-a-little and build-a-little gives
confidence
" Green bar gives you confidence
" Reduces fear of change
! Documentation
" Provides starting point to understand code
functionality
! Safety Net
" Checks Regression
" Supports Refactoring
dhaval.dalal@software-artisan.com
Benefits of TDD
! Effort
" Reduces effort to final delivery
" Writing tests is more productive
! Predictable
" Tells me when am I done
" Continuous Success Vs Illusive Success
! Immediate Feedback
" Makes failures shine at you
dhaval.dalal@software-artisan.com
Costs of TDD
Claim: It is too much work to write tests!
Rebut: I’d say “are you looking to create a speculative
design?”, “do you want to sleep with a debugger?”
Claim: Tests themselves are code, we need to maintain them,
that’s overhead!
Rebut: I’d say “do you prefer maintaining a big bug list?”
Claim: I have to spend time re-orient my thinking!
Rebut: I’d say “Just as with any skill, you need to allow some
time to apply this effectively.”
Writing Good Tests
dhaval.dalal@software-artisan.com
Better Test Practices
! Tests must be Small.
" Easy to understand
" They do not break when other parts of the code are
changed.
" One behavioral-assert per test.
! Tests must be Expressive.
" Test code should communicate its intent.
" It should not take more than 2 minutes for readers to
understand what is going on.
! Tests must be Maintainable.
" When a test breaks, what it contains should be easiest to
fix.
dhaval.dalal@software-artisan.com
Better Test Practices
! Tests must execute Fast.
" Slow running tests increase Build Viscosity.
! Tests are Specifications, not Verifications.
" Do not verify whether the code does what its supposed
to do correctly.
" Specify what should the code do to function correctly.
! Tests should talk the Domain Language.
" Communicate the behavior under test and not how the
system implements that behavior.
" Improves Communication with Non-Technical Members
on the team.
" Developers can understand domain faster.
dhaval.dalal@software-artisan.com
Better Test Practices
! Tests must run at will.
" Able to write and execute tests without
worrying about how to execute them.
! Tests must be Isolated
" Very little set-up and minimum collaborators.
! Tests must be Thorough
" Test all behavior, not methods.
dhaval.dalal@software-artisan.com
Better Test Practices
! Tests must be Automated.
" Write them such that methods on objects are invoked by
code rather than by hand.
! Tests must be Self-Verifiable.
" Setup test expectations and compare outcome with
expectations for verdicts.
! Tests must be Repeatable.
" Executing the same test several times under the same
conditions must yield same results.
dhaval.dalal@software-artisan.com
JUnit/NUnit Better Test Practices
! Test anything that could possibly break.
! Make testing exceptional scenarios easy to read.
! Always explain failure reason in Assert calls.
! Test should usually improve the design of the
code.
! For JUnit Tests
" Make Test code reside in same packages, but
different directories.
! For NUnit Tests
" Make Test code reside in separate project from
source project, in same namespace.
dhaval.dalal@software-artisan.com
Flavors of Tests
! Object Tests (Unit or Programmer Tests)
" Tests behavior of single object at a time.
! Integration Tests
" Tests collaboration of a number of objects (how they talk
to each other)
" Complex fixtures
" More brittle
! End-to-End Tests
" Thoroughly test the entire system from end-to-end.
dhaval.dalal@software-artisan.com
Unit Testing Frameworks
! xUnit framework for Unit Testing
" JUnit/TestNG for Java
" NUnit/MbUnit for C#
" cppUnit for C++
" pyUnit for Python
" …and tons of more Unit Testing frameworks.
Thank you
dhaval.dalal@software-artisan.com
software-artisan.com
dhaval.dalal@software-artisan.com
References
! JUnit Recipes
" J. B. Rainsberger
! JUnit In Action
" Vincent Massol
! Agile Java
" Jeff Langr
! Test-Driven Development Rhythm
" Gunjan Doshi
! Agile Principles, Patterns, and
Practices in C#
" Robert C. Martin, Micah Martin
! xUnit Test Patterns
" Gerard Meszaros
! On TDD (InfoQ): How Do We
Know When We’re Done?
" Steve Freeman
! Growing Object-Oriented
Software, Guided by Tests
" Steve Freeman and Nat Pryce
! 10-Ways-to-Better-Code (InfoQ)
" Neal Ford
! Refactoring Away Duplicated Logic
Creates a Domain Specific
Embedded Language for Testing
" Nat Pryce
! Jay Field’s Blog Entry
" http://blog.jayfields.com/
2007/06/testing-inline-setup.html

Mais conteúdo relacionado

Mais procurados

ISTQB / ISEB Foundation Exam Practice -1
ISTQB / ISEB Foundation Exam Practice -1ISTQB / ISEB Foundation Exam Practice -1
ISTQB / ISEB Foundation Exam Practice -1
Yogindernath Gupta
 
TESTING LIFE CYCLE PPT
TESTING LIFE CYCLE PPTTESTING LIFE CYCLE PPT
TESTING LIFE CYCLE PPT
suhasreddy1
 

Mais procurados (20)

TDD - Agile
TDD - Agile TDD - Agile
TDD - Agile
 
Introduction to TDD (Test Driven development) - Ahmed Shreef
Introduction to TDD (Test Driven development) - Ahmed ShreefIntroduction to TDD (Test Driven development) - Ahmed Shreef
Introduction to TDD (Test Driven development) - Ahmed Shreef
 
Test-Driven Development
Test-Driven DevelopmentTest-Driven Development
Test-Driven Development
 
Test Driven Development (TDD) Preso 360|Flex 2010
Test Driven Development (TDD) Preso 360|Flex 2010Test Driven Development (TDD) Preso 360|Flex 2010
Test Driven Development (TDD) Preso 360|Flex 2010
 
Test Driven Development
Test Driven DevelopmentTest Driven Development
Test Driven Development
 
Test driven development
Test driven developmentTest driven development
Test driven development
 
Getting started with karate dsl
Getting started with karate dslGetting started with karate dsl
Getting started with karate dsl
 
Test Driven Development
Test Driven DevelopmentTest Driven Development
Test Driven Development
 
Unit and integration Testing
Unit and integration TestingUnit and integration Testing
Unit and integration Testing
 
Smoke Testing
Smoke TestingSmoke Testing
Smoke Testing
 
Test Automation Framework using Cucumber BDD overview (part 1)
Test Automation Framework using Cucumber BDD overview (part 1)Test Automation Framework using Cucumber BDD overview (part 1)
Test Automation Framework using Cucumber BDD overview (part 1)
 
TDD and BDD and ATDD
TDD and BDD and ATDDTDD and BDD and ATDD
TDD and BDD and ATDD
 
ISTQB / ISEB Foundation Exam Practice -1
ISTQB / ISEB Foundation Exam Practice -1ISTQB / ISEB Foundation Exam Practice -1
ISTQB / ISEB Foundation Exam Practice -1
 
Test and Behaviour Driven Development (TDD/BDD)
Test and Behaviour Driven Development (TDD/BDD)Test and Behaviour Driven Development (TDD/BDD)
Test and Behaviour Driven Development (TDD/BDD)
 
Manual testing
Manual testingManual testing
Manual testing
 
Acceptance Test Driven Development
Acceptance Test Driven DevelopmentAcceptance Test Driven Development
Acceptance Test Driven Development
 
Software test automation
Software test automationSoftware test automation
Software test automation
 
QA Best Practices in Agile World_new
QA Best Practices in Agile World_newQA Best Practices in Agile World_new
QA Best Practices in Agile World_new
 
Test Levels & Techniques
Test Levels & TechniquesTest Levels & Techniques
Test Levels & Techniques
 
TESTING LIFE CYCLE PPT
TESTING LIFE CYCLE PPTTESTING LIFE CYCLE PPT
TESTING LIFE CYCLE PPT
 

Destaque

Domain languageacceptancetests
Domain languageacceptancetestsDomain languageacceptancetests
Domain languageacceptancetests
Dhaval Dalal
 
The tao-of-transformation
The tao-of-transformationThe tao-of-transformation
The tao-of-transformation
Dhaval Dalal
 
Agile Methodologies
Agile MethodologiesAgile Methodologies
Agile Methodologies
Dhaval Dalal
 

Destaque (7)

Visual Studio tricks every dot net developer should know
Visual Studio tricks every dot net developer should knowVisual Studio tricks every dot net developer should know
Visual Studio tricks every dot net developer should know
 
Domain languageacceptancetests
Domain languageacceptancetestsDomain languageacceptancetests
Domain languageacceptancetests
 
The tao-of-transformation
The tao-of-transformationThe tao-of-transformation
The tao-of-transformation
 
Real Developers Don't Need Unit Tests
Real Developers Don't Need Unit TestsReal Developers Don't Need Unit Tests
Real Developers Don't Need Unit Tests
 
The tao-of-transformation-workshop
The tao-of-transformation-workshopThe tao-of-transformation-workshop
The tao-of-transformation-workshop
 
Agile Methodologies
Agile MethodologiesAgile Methodologies
Agile Methodologies
 
DRYing to Monad in Java8
DRYing to Monad in Java8DRYing to Monad in Java8
DRYing to Monad in Java8
 

Semelhante a Test Driven Development

TDD - survival guide
TDD - survival guide TDD - survival guide
TDD - survival guide
vitalipe
 
Programming with GUTs
Programming with GUTsProgramming with GUTs
Programming with GUTs
catherinewall
 
Test-Driven Development
Test-Driven DevelopmentTest-Driven Development
Test-Driven Development
Meilan Ou
 

Semelhante a Test Driven Development (20)

TDD Best Practices
TDD Best PracticesTDD Best Practices
TDD Best Practices
 
Getting started with Test Driven Development - Ferdous Mahmud Shaon
Getting started with Test Driven Development - Ferdous Mahmud ShaonGetting started with Test Driven Development - Ferdous Mahmud Shaon
Getting started with Test Driven Development - Ferdous Mahmud Shaon
 
Getting started with Test Driven Development
Getting started with Test Driven DevelopmentGetting started with Test Driven Development
Getting started with Test Driven Development
 
Tdd is not about testing (OOP)
Tdd is not about testing (OOP)Tdd is not about testing (OOP)
Tdd is not about testing (OOP)
 
TDD - survival guide
TDD - survival guide TDD - survival guide
TDD - survival guide
 
Test Driven Development
Test Driven DevelopmentTest Driven Development
Test Driven Development
 
TDD reloaded - JUGTAA 24 Ottobre 2012
TDD reloaded - JUGTAA 24 Ottobre 2012TDD reloaded - JUGTAA 24 Ottobre 2012
TDD reloaded - JUGTAA 24 Ottobre 2012
 
JavaScript Unit Testing
JavaScript Unit TestingJavaScript Unit Testing
JavaScript Unit Testing
 
TDD talk
TDD talkTDD talk
TDD talk
 
Test Driven Development - The art of fearless programming
Test Driven Development - The art of fearless programmingTest Driven Development - The art of fearless programming
Test Driven Development - The art of fearless programming
 
iOS Test-Driven Development
iOS Test-Driven DevelopmentiOS Test-Driven Development
iOS Test-Driven Development
 
Programming with GUTs
Programming with GUTsProgramming with GUTs
Programming with GUTs
 
BDD Primer
BDD PrimerBDD Primer
BDD Primer
 
Unit Testing
Unit TestingUnit Testing
Unit Testing
 
Behaviour Driven Development and Thinking About Testing
Behaviour Driven Development and Thinking About TestingBehaviour Driven Development and Thinking About Testing
Behaviour Driven Development and Thinking About Testing
 
Bdd and-testing
Bdd and-testingBdd and-testing
Bdd and-testing
 
Why Unit Testingl
Why Unit TestinglWhy Unit Testingl
Why Unit Testingl
 
Why unit testingl
Why unit testinglWhy unit testingl
Why unit testingl
 
Why Unit Testingl
Why Unit TestinglWhy Unit Testingl
Why Unit Testingl
 
Test-Driven Development
Test-Driven DevelopmentTest-Driven Development
Test-Driven Development
 

Mais de Dhaval Dalal

Mais de Dhaval Dalal (20)

Test Pyramid in Microservices Context
Test Pyramid in Microservices ContextTest Pyramid in Microservices Context
Test Pyramid in Microservices Context
 
Code Retreat
Code RetreatCode Retreat
Code Retreat
 
Booting into functional programming
Booting into functional programmingBooting into functional programming
Booting into functional programming
 
Currying and Partial Function Application (PFA)
Currying and Partial Function Application (PFA)Currying and Partial Function Application (PFA)
Currying and Partial Function Application (PFA)
 
Creating Lazy stream in CSharp
Creating Lazy stream in CSharpCreating Lazy stream in CSharp
Creating Lazy stream in CSharp
 
Json Viewer Stories
Json Viewer StoriesJson Viewer Stories
Json Viewer Stories
 
Value Objects
Value ObjectsValue Objects
Value Objects
 
Mars rover-extension
Mars rover-extensionMars rover-extension
Mars rover-extension
 
How Is Homeopathy Near To Yoga?
How Is Homeopathy Near To Yoga?How Is Homeopathy Near To Yoga?
How Is Homeopathy Near To Yoga?
 
Approaching ATDD/BDD
Approaching ATDD/BDDApproaching ATDD/BDD
Approaching ATDD/BDD
 
Paradigms Code jugalbandi
Paradigms Code jugalbandiParadigms Code jugalbandi
Paradigms Code jugalbandi
 
Data Reconciliation
Data ReconciliationData Reconciliation
Data Reconciliation
 
CodeRetreat
CodeRetreatCodeRetreat
CodeRetreat
 
4-Code-Jugalbandi-destructuring-patternmatching-healthycode#apr2015
4-Code-Jugalbandi-destructuring-patternmatching-healthycode#apr20154-Code-Jugalbandi-destructuring-patternmatching-healthycode#apr2015
4-Code-Jugalbandi-destructuring-patternmatching-healthycode#apr2015
 
Jumping-with-java8
Jumping-with-java8Jumping-with-java8
Jumping-with-java8
 
3-CodeJugalbandi-currying-pfa-healthycodemagazine#mar2015
3-CodeJugalbandi-currying-pfa-healthycodemagazine#mar20153-CodeJugalbandi-currying-pfa-healthycodemagazine#mar2015
3-CodeJugalbandi-currying-pfa-healthycodemagazine#mar2015
 
CodeJugalbandi-Sequencing-HealthyCode-Magazine-Feb-2015
CodeJugalbandi-Sequencing-HealthyCode-Magazine-Feb-2015CodeJugalbandi-Sequencing-HealthyCode-Magazine-Feb-2015
CodeJugalbandi-Sequencing-HealthyCode-Magazine-Feb-2015
 
CodeJugalbandi-Expression-Problem-HealthyCode-Magazine#Jan-2015-Issue
CodeJugalbandi-Expression-Problem-HealthyCode-Magazine#Jan-2015-IssueCodeJugalbandi-Expression-Problem-HealthyCode-Magazine#Jan-2015-Issue
CodeJugalbandi-Expression-Problem-HealthyCode-Magazine#Jan-2015-Issue
 
Grooming with Groovy
Grooming with GroovyGrooming with Groovy
Grooming with Groovy
 
Language portfolio
Language portfolioLanguage portfolio
Language portfolio
 

Último

Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Victor Rentea
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
?#DUbAI#??##{{(☎️+971_581248768%)**%*]'#abortion pills for sale in dubai@
 

Último (20)

How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected Worker
 
Connector Corner: Accelerate revenue generation using UiPath API-centric busi...
Connector Corner: Accelerate revenue generation using UiPath API-centric busi...Connector Corner: Accelerate revenue generation using UiPath API-centric busi...
Connector Corner: Accelerate revenue generation using UiPath API-centric busi...
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
Navigating the Deluge_ Dubai Floods and the Resilience of Dubai International...
Navigating the Deluge_ Dubai Floods and the Resilience of Dubai International...Navigating the Deluge_ Dubai Floods and the Resilience of Dubai International...
Navigating the Deluge_ Dubai Floods and the Resilience of Dubai International...
 
MINDCTI Revenue Release Quarter One 2024
MINDCTI Revenue Release Quarter One 2024MINDCTI Revenue Release Quarter One 2024
MINDCTI Revenue Release Quarter One 2024
 
Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...Apidays New York 2024 - The value of a flexible API Management solution for O...
Apidays New York 2024 - The value of a flexible API Management solution for O...
 
Corporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptxCorporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptx
 
DBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor PresentationDBX First Quarter 2024 Investor Presentation
DBX First Quarter 2024 Investor Presentation
 
Elevate Developer Efficiency & build GenAI Application with Amazon Q​
Elevate Developer Efficiency & build GenAI Application with Amazon Q​Elevate Developer Efficiency & build GenAI Application with Amazon Q​
Elevate Developer Efficiency & build GenAI Application with Amazon Q​
 
Platformless Horizons for Digital Adaptability
Platformless Horizons for Digital AdaptabilityPlatformless Horizons for Digital Adaptability
Platformless Horizons for Digital Adaptability
 
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
Modular Monolith - a Practical Alternative to Microservices @ Devoxx UK 2024
 
CNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In PakistanCNIC Information System with Pakdata Cf In Pakistan
CNIC Information System with Pakdata Cf In Pakistan
 
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
Apidays New York 2024 - The Good, the Bad and the Governed by David O'Neill, ...
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
 
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin WoodPolkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
 
Introduction to Multilingual Retrieval Augmented Generation (RAG)
Introduction to Multilingual Retrieval Augmented Generation (RAG)Introduction to Multilingual Retrieval Augmented Generation (RAG)
Introduction to Multilingual Retrieval Augmented Generation (RAG)
 
FWD Group - Insurer Innovation Award 2024
FWD Group - Insurer Innovation Award 2024FWD Group - Insurer Innovation Award 2024
FWD Group - Insurer Innovation Award 2024
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 

Test Driven Development

  • 1. Test Driven Development Dhaval Dalal software-artisan.com @softwareartisan
  • 2. What TDD is not? TDD is not about Testing! TDD is not Test Last or DDT (Design Driven Tests)
  • 3. What TDD is? TDD or Test First is about evolving the design of the system through Tests.
  • 5. [TestFixture] public class OddNumberFilterTest { [Test] public void FiltersOutOddNumbers() { OddNumberFilter filter = new OddNumberFilter(); int [] numbers = new int [] { 3, 4 }; int [] evenNumbers = filter.Filter(numbers); Assert.That(evenNumbers, Has.Count(1)); Assert.That(evenNumbers, Has.Member(4)); Assert.That(evenNumbers, Has.No.Member(3)); } } dhaval.dalal@software-artisan.com Specify What Software Should Do... Then When Given
  • 6. public class OddNumberFilter { public int [] Filter (params int [] numbers) { throw new NotImplementedException(); } } dhaval.dalal@software-artisan.com Write Just Enough Code To Compile
  • 8. public class OddNumberFilter { public int [] Filter (params int [] numbers) { List<int> evenNumbers = new List<int>(); foreach (int number in numbers) { if (number % 2 == 0) { evenNumbers.Add(number); } } return evenNumbers.ToArray(); } } dhaval.dalal@software-artisan.com Write Enough Code To Pass The Specification...
  • 10. dhaval.dalal@software-artisan.com General Test Structure Setup the Givens (Context in which the Test runs) Then verify the Assertions (State or Behavior verifications) Exercise the Whens (Perform the actual operation) Arrange Assert Act
  • 11. [TestFixture] public class NumberFilterTest { [Test] public void FiltersOddNumbers() { OddNumberFilter filter = new OddNumberFilter(); int [] numbers = new int [] { 3, 4 }; int [] evenNumbers = filter.Filter(numbers); Assert.That(evenNumbers, Has.Count(1)); Assert.That(evenNumbers, Has.Member(4)); Assert.That(evenNumbers, Has.No.Member(3)); } dhaval.dalal@software-artisan.com Add New Feature: Filter-out Non-Primes
  • 12. [TestFixture] public class NumberFilterTest { [Test] public void FiltersOddNumbers() { OddNumberFilter filter = new OddNumberFilter(); int [] numbers = new int [] { 3, 4 }; int [] evenNumbers = filter.Filter(numbers); Assert.That(evenNumbers, Has.Count(1)); Assert.That(evenNumbers, Has.Member(4)); Assert.That(evenNumbers, Has.No.Member(3)); } [Test] public void FiltersNonPrimes() { NonPrimesFilter filter = new NonPrimesFilter(); int [] numbers = new int [] { 4, 5 }; int [] primeNumbers = filter.Filter(numbers); Assert.That(primeNumbers, Has.Count(1)); Assert.That(primeNumbers, Has.Member(5)); Assert.That(primeNumbers, Has.No.Member(4)); } } dhaval.dalal@software-artisan.com Add New Feature: Filter-out Non-Primes
  • 13. [TestFixture] public class NumberFilterTest { [Test] public void FiltersOddNumbers() { OddNumberFilter filter = new OddNumberFilter(); int [] numbers = new int [] { 3, 4 }; int [] evenNumbers = filter.Filter(numbers); Assert.That(evenNumbers, Has.Count(1)); Assert.That(evenNumbers, Has.Member(4)); Assert.That(evenNumbers, Has.No.Member(3)); } [Test] public void FiltersNonPrimes() { NonPrimesFilter filter = new NonPrimesFilter(); int [] numbers = new int [] { 4, 5 }; int [] primeNumbers = filter.Filter(numbers); Assert.That(primeNumbers, Has.Count(1)); Assert.That(primeNumbers, Has.Member(5)); Assert.That(primeNumbers, Has.No.Member(4)); } } dhaval.dalal@software-artisan.com Add New Feature: Filter-out Non-Primes Duplication of Concept
  • 14. [TestFixture] public class NumberFilterTest { [Test] public void FiltersOddNumbers() { OddNumberFilter filter = new OddNumberFilter(); int [] numbers = new int [] { 3, 4 }; int [] evenNumbers = filter.Filter(numbers); Assert.That(evenNumbers, Has.Count(1)); Assert.That(evenNumbers, Has.Member(4)); Assert.That(evenNumbers, Has.No.Member(3)); } [Test] public void FiltersNonPrimes() { NonPrimesFilter filter = new NonPrimesFilter(); int [] numbers = new int [] { 4, 5 }; int [] primeNumbers = filter.Filter(numbers); Assert.That(primeNumbers, Has.Count(1)); Assert.That(primeNumbers, Has.Member(5)); Assert.That(primeNumbers, Has.No.Member(4)); } } dhaval.dalal@software-artisan.com Add New Feature: Filter-out Non-Primes Duplication of Concept Duplication of Concept
  • 16. public interface IFilter { int [] filter.Filter(param int [] numbers); } dhaval.dalal@software-artisan.com Introduce Abstraction
  • 17. [TestFixture] public class NumberFilterTest { [Test] public void FiltersOutOddNumbers() { IFilter filter = new OddNumberFilter(); int [] numbers = new int [] { 3, 4 }; int [] evenNumbers = filter.Filter(numbers); Assert.That(evenNumbers, Has.Count(1)); Assert.That(evenNumbers, Has.Member(4)); Assert.That(evenNumbers, Has.No.Member(3)); } [Test] public void FiltersOutNonPrimes() { IFilter filter = new NonPrimesFilter(); int [] numbers = new int [] { 4, 5 }; int [] primeNumbers = filter.Filter(numbers); Assert.That(primeNumbers, Has.Count(1)); Assert.That(primeNumbers, Has.Member(5)); Assert.That(primeNumbers, Has.No.Member(4)); } } dhaval.dalal@software-artisan.com Refactored Code
  • 21. dhaval.dalal@software-artisan.com TDD Rhythm Flowchart Write just enough Code to compile Refactor Code Pass the Test (GREEN) Fail the Test (RED) Write just enough Code to pass the test Specify what the software should do Pass the Test (GREEN)
  • 22. So, TDD is about… Analyzing what little you actually need to do and how cleanly you can do it! Carving design of your code a unit test at a time.
  • 23. dhaval.dalal@software-artisan.com Write Tests Before Writing Code ! Focuses the mind (and the development process) " Deliver only what is absolutely necessary. " System so developed does exactly what it needs to do and no more. " Need not code for future ! YAGNI (You Ain’t Gonna Need It!)...no gold plating!
  • 24. dhaval.dalal@software-artisan.com TDD is a Design Technique ! Makes you think in terms of Object behavior. " How client is going to interact with the object. ! Outside-In ! Object so created is “consumer aware” " What Object provides and needs from environment. " Traditional OOD focuses only on Object’s Implementation ! Inside-Out
  • 25. dhaval.dalal@software-artisan.com TDD results in a Decoupled Design ! Favors Composition over Inheritance. " Relies on dependency injection for collaborators. ! Avoids tight coupling to global objects " Singletons mix static and state. " Makes design untestable. ! Many small, loosely coupled classes. ! Makes you think of inter-object interactions in terms of interfaces. " Promotes Programming to Super-Types and not Concretes.
  • 26. Listening to the Tests ! A difficulty in implementing a new feature is usually a symptom that the design can be improved. " Ask why is it difficult to test? Don’t just think how do I test this? ! TDD is not just about functionality, it gives us feedback on code’s internal quality. " How is the coupling and cohesion? " Are we preserving encapsulation? " What about implicit or explicit dependencies? Source: Growing Object-Oriented Software, Guided by Tests
  • 27. Listening to the Tests ! Check continuously, observe and meditate on the tests, they might tell you something. ! The idea is to let the test drive the design. That’s why it is called Test Driven Design. Source: Growing Object-Oriented Software, Guided by Tests
  • 28. dhaval.dalal@software-artisan.com Benefits of TDD ! Test-a-little and build-a-little gives confidence " Green bar gives you confidence " Reduces fear of change ! Documentation " Provides starting point to understand code functionality ! Safety Net " Checks Regression " Supports Refactoring
  • 29. dhaval.dalal@software-artisan.com Benefits of TDD ! Effort " Reduces effort to final delivery " Writing tests is more productive ! Predictable " Tells me when am I done " Continuous Success Vs Illusive Success ! Immediate Feedback " Makes failures shine at you
  • 30. dhaval.dalal@software-artisan.com Costs of TDD Claim: It is too much work to write tests! Rebut: I’d say “are you looking to create a speculative design?”, “do you want to sleep with a debugger?” Claim: Tests themselves are code, we need to maintain them, that’s overhead! Rebut: I’d say “do you prefer maintaining a big bug list?” Claim: I have to spend time re-orient my thinking! Rebut: I’d say “Just as with any skill, you need to allow some time to apply this effectively.”
  • 32. dhaval.dalal@software-artisan.com Better Test Practices ! Tests must be Small. " Easy to understand " They do not break when other parts of the code are changed. " One behavioral-assert per test. ! Tests must be Expressive. " Test code should communicate its intent. " It should not take more than 2 minutes for readers to understand what is going on. ! Tests must be Maintainable. " When a test breaks, what it contains should be easiest to fix.
  • 33. dhaval.dalal@software-artisan.com Better Test Practices ! Tests must execute Fast. " Slow running tests increase Build Viscosity. ! Tests are Specifications, not Verifications. " Do not verify whether the code does what its supposed to do correctly. " Specify what should the code do to function correctly. ! Tests should talk the Domain Language. " Communicate the behavior under test and not how the system implements that behavior. " Improves Communication with Non-Technical Members on the team. " Developers can understand domain faster.
  • 34. dhaval.dalal@software-artisan.com Better Test Practices ! Tests must run at will. " Able to write and execute tests without worrying about how to execute them. ! Tests must be Isolated " Very little set-up and minimum collaborators. ! Tests must be Thorough " Test all behavior, not methods.
  • 35. dhaval.dalal@software-artisan.com Better Test Practices ! Tests must be Automated. " Write them such that methods on objects are invoked by code rather than by hand. ! Tests must be Self-Verifiable. " Setup test expectations and compare outcome with expectations for verdicts. ! Tests must be Repeatable. " Executing the same test several times under the same conditions must yield same results.
  • 36. dhaval.dalal@software-artisan.com JUnit/NUnit Better Test Practices ! Test anything that could possibly break. ! Make testing exceptional scenarios easy to read. ! Always explain failure reason in Assert calls. ! Test should usually improve the design of the code. ! For JUnit Tests " Make Test code reside in same packages, but different directories. ! For NUnit Tests " Make Test code reside in separate project from source project, in same namespace.
  • 37. dhaval.dalal@software-artisan.com Flavors of Tests ! Object Tests (Unit or Programmer Tests) " Tests behavior of single object at a time. ! Integration Tests " Tests collaboration of a number of objects (how they talk to each other) " Complex fixtures " More brittle ! End-to-End Tests " Thoroughly test the entire system from end-to-end.
  • 38. dhaval.dalal@software-artisan.com Unit Testing Frameworks ! xUnit framework for Unit Testing " JUnit/TestNG for Java " NUnit/MbUnit for C# " cppUnit for C++ " pyUnit for Python " …and tons of more Unit Testing frameworks.
  • 40. dhaval.dalal@software-artisan.com References ! JUnit Recipes " J. B. Rainsberger ! JUnit In Action " Vincent Massol ! Agile Java " Jeff Langr ! Test-Driven Development Rhythm " Gunjan Doshi ! Agile Principles, Patterns, and Practices in C# " Robert C. Martin, Micah Martin ! xUnit Test Patterns " Gerard Meszaros ! On TDD (InfoQ): How Do We Know When We’re Done? " Steve Freeman ! Growing Object-Oriented Software, Guided by Tests " Steve Freeman and Nat Pryce ! 10-Ways-to-Better-Code (InfoQ) " Neal Ford ! Refactoring Away Duplicated Logic Creates a Domain Specific Embedded Language for Testing " Nat Pryce ! Jay Field’s Blog Entry " http://blog.jayfields.com/ 2007/06/testing-inline-setup.html