SlideShare ist ein Scribd-Unternehmen logo
1 von 56
Downloaden Sie, um offline zu lesen
JUnit Kung Fu
Getting more out of your unit tests


                        John Ferguson Smart
                          Principle Consultant
                          Wakaleo Consulting
So who is this guy, anyway?
John Ferguson Smart
Consultant, Trainer, Mentor, Author, Speaker
So who is this guy, anyway?
John Ferguson Smart
Consultant, Trainer, Mentor, Author,...
Agenda
What will we cover today
 Naming your tests
 Hamcrest Assertions and Matchers
 Parameterized tests and JUnit Theories
 JUnit Rules
 Parallel Testing
 JUnit Categories
 Continuous Testing
 Mockito
Anatomy of a JUnit 4 test
What’s the big deal with JUnit 4?
import   static com.wakaleo.gameoflife.domain.Cell.DEAD_CELL;
import   static com.wakaleo.gameoflife.domain.Cell.LIVE_CELL;
import   static org.hamcrest.MatcherAssert.assertThat;
import   static org.hamcrest.Matchers.is;
import   org.junit.Test;                   No need to extend    TestCase

public class WhenYouCreateACell {
                                               Annotation-based
    @Test
    public void aLiveCellShouldBeRepresentedByAnAsterisk() {
        Cell cell = Cell.fromSymbol("*");
        assertThat(cell, is(LIVE_CELL));
    }
                                                 Call the tests   anything you want

    @Ignore("Pending Implementation")
    @Test                                                Annotations for test metadata
    public void aDeadCellShouldBeRepresentedByADot() {
        Cell cell = Cell.fromSymbol(".");
        assertThat(cell, is(DEAD_CELL));
    }
    ...
}
What’s in a name
Name your tests well




 "What's in a name? That which we call a rose
   By any other name would smell as sweet."
                  Romeo and Juliet (II, ii, 1-2)
What’s in a name
The 10 5 Commandments of Test Writing
I.   Don’t say “test, say “should” instead
II. Don’t test your classes, test their behaviour
III. Test class names are important too
IV. Structure your tests well
V. Tests are deliverables too
What’s in a name
Don’t use the word ‘test’ in your test names




    testBankTransfer()

    testWithdraw()

    testDeposit()
What’s in a name
 Do use the word ‘should’ in your test names




      testBankTransfer()

      testWithdraw()
tranferShouldDeductSumFromSourceAccountBalance()

       testDeposit()
transferShouldAddSumLessFeesToDestinationAccountBalance()

depositShouldAddAmountToAccountBalance()
What’s in a name
Your test class names should represent context

                         When is this behaviour applicable?




                                    What behaviour are we testing?
What’s in a name
Write your tests consistently
    ‘Given-When-Then’ or ‘Arrange-Act-Assert’ (AAA)
@Test
public void aDeadCellWithOneLiveNeighbourShouldRemainDeadInTheNextGeneration() {
    String initialGrid = "...n" +
                         ".*.n" +        Prepare the test data (“arrange”)
                         "...";

      String expectedNextGrid = "...n" +
                                "...n" +
                                "...n";             Do what you are testing (“act”)
      Universe theUniverse = new Universe(seededWith(initialGrid));

      theUniverse.createNextGeneration();
      String nextGrid = theUniverse.getGrid();
                                                       Check the results (“assert”)
      assertThat(nextGrid, is(expectedNextGrid));
}
What’s in a name
Tests are deliverables too - respect them as such
Refactor, refactor, refactor!
Clean and readable
Express Yourself with Hamcrest
Why write this...
import static org.junit.Assert.*;
...
assertEquals(10000, calculatedTax, 0);


when you can write this...
import static org.hamcrest.Matchers.*;
...
assertThat(calculatedTax, is(10000));

      “Assert that are equal 10000 and calculated tax (more or less)” ?!


                         Don’t I just mean “assert that calculated tax is 10000”?
Express Yourself with Hamcrest
With Hamcrest, you can have your cake and eat it!

 assertThat(calculatedTax, is(expectedTax));


                                        Readable asserts

 String color = "red";
 assertThat(color, is("blue"));




                                                           Informative errors


 String[] colors = new String[] {"red","green","blue"};
 String color = "yellow";
 assertThat(color, not(isIn(colors)));
                                                      Flexible notation
Express Yourself with Hamcrest
More Hamcrest expressiveness
String color = "red";
assertThat(color, isOneOf("red",”blue”,”green”));

  List<String> colors = new ArrayList<String>();
  colors.add("red");
  colors.add("green");
  colors.add("blue");
  assertThat(colors, hasItem("blue"));

    assertThat(colors, hasItems("red”,”green”));


       assertThat(colors, hasItem(anyOf(is("red"), is("green"), is("blue"))));
Home-made Hamcrest Matchers
Customizing and extending Hamcrest
Combine existing matchers
Or make your own!
Home-made Hamcrest Matchers
  Customizing Hamcrest matchers
   You can build your own by combining existing Matchers...

                           Create a dedicated Matcher for the Stakeholder class

List stakeholders = stakeholderManager.findByName("Health");
Matcher<Stakeholder> calledHealthCorp = hasProperty("name", is("Health Corp"));
assertThat(stakeholders, hasItem(calledHealthCorp));



                                  Use matcher directly with hasItem()

            “The stakeholders list has (at least) one item with
                the name property set to “Health Corp””
Home-made Hamcrest Matchers
   Writing your own matchers in three easy steps!
public class WhenIUseMyCustomHamcrestMatchers {
	 @Test
	 public void thehasSizeMatcherShouldMatchACollectionWithExpectedSize() {
	 	 List<String> items = new ArrayList<String>();
	 	 items.add("java");	 	
	 	 assertThat(items, hasSize(1));
	 }
}
                                          We want something like this...




            I want a matcher that checks the size of a collection
Home-made Hamcrest Matchers
    Writing your own matchers in three easy steps!
public class HasSizeMatcher extends TypeSafeMatcher<Collection<? extends Object>> {
    private Matcher<Integer> matcher;
                                                   Extend the TypeSafeMatcher class
     public HasSizeMatcher(Matcher<Integer> matcher) {
         this.matcher = matcher;                         Provide expected values in
     }                                                         the constructor

     public boolean matchesSafely(Collection<? extends Object> collection) {
     	 return matcher.matches(collection.size());
     }                                                    Do the actual matching
     public void describeTo(Description description) {
         description.appendText("a collection with a size that is");
         matcher.describeTo(description);
     }                                            Describe our expectations
}



              So let’s write this Matcher!
Home-made Hamcrest Matchers
      Writing your own matchers in three easy steps!
import java.util.Collection;
import org.hamcrest.Factory;
import org.hamcrest.Matcher;

public class MyMatchers {             Use a factory class to store your matchers
	
    @Factory
    public static Matcher<Collection<? extends Object>> hasSize(Matcher<Integer> matcher){
        return new HasSizeMatcher(matcher);
    }
}




                All my custom matchers go in a special Factory class
Home-made Hamcrest Matchers
    Writing your own matchers in three easy steps!
import static com.wakaleo.gameoflife.hamcrest.MyMatchers.hasSize;
import static org.hamcrest.MatcherAssert.assertThat;

public class WhenIUseMyCustomHamcrestMatchers {

	   @Test
	   public void thehasSizeMatcherShouldMatchACollectionWithExpectedSize() {
	   	 List<String> items = new ArrayList<String>();
	   	 items.add("java");	 	
	   	 assertThat(items, hasSize(1));
	   }
}




           Hamcrest-style error messages
Home-made Hamcrest Matchers
    But wait! There’s more!
	   @Test
	   public void weCanUseCustomMatchersWithOtherMatchers() {
	   	 List<String> items = new ArrayList<String>();
	   	 items.add("java");	 	
	   	 assertThat(items, allOf(hasSize(1), hasItem("java")));
	   }
                                                                     Combining matchers

       	   @Test
       	   public void weCanUseCustomMatchersWithOtherMatchers() {
       	   	 List<String> items = new ArrayList<String>();
       	   	 items.add("java");	 	
       	   	 items.add("groovy");	 	
       	   	 assertThat(items, hasSize(greaterThan(1)));
       	   }
                                                            Nested matchers
Data-Driven Unit Tests
Using Parameterized Tests
Using Parameterized Tests
Parameterized tests - for data-driven testing
Take a large set of test data, including an expected result
Define a test that uses the test data
Verify calculated result against expected result
      {2, 0, 0}
      {2, 1, 2}
      {2, 2, 4}
      {2, 3, 6}
      {2, 4, 8}
                        x=a*b
     {2, 5, 10}
                           Test
     {2, 6, 12}
     {2, 7, 14}
         ...                                Verify
       Data
Using Parameterized Tests
Parameterized tests
Example: Calculating income tax
Using Parameterized Tests
 Parameterized tests with JUnit 4.8.1                                       Income     Expected Tax
                                                                        $0.00         $0.00
  What you need:                                                        $10,000.00    $1,250.00
    Some test data                                                      $14,000.00    $1,750.00
                                                                        $14,001.00    $1,750.21
    A test class with matching fields                                    $45,000.00    $8,260.00
                                                                        $48,000.00    $8,890.00
    And some tests                                                      $48,001.00    $8,890.33
                                                                        $65,238.00    $14,578.54
    And an annotation                                                   $70,000.00    $16,150.00
public class TaxCalculatorDataTest {
@RunWith(Parameterized.class)                                           $70,001.00    $16,150.38
public classdouble income;
    private TaxCalculatorDataTest {
                                                                        $80,000.00    $19,950.00
    private double expectedTax;
                   income;
    private double expectedTax;                                         $100,000.00   $27,550.00
    public TaxCalculatorDataTest(double income, double expectedTax) {
        super();
        this.income = income;
    public TaxCalculatorDataTest(double income, double expectedTax) {
        this.income = income;
        this.expectedTax = expectedTax;
        super();
    }   this.expectedTax = expectedTax;
        this.income = income;
}   }   this.expectedTax = expectedTax;
    }
    @Test
    public void shouldCalculateCorrectTax() {...}
    @Test
}   public void shouldCalculateCorrectTax() {...}
}
Using Parameterized Tests
                                             This is a parameterized test
    How it works                                                                    Income      Expected Tax
@RunWith(Parameterized.class)                                                   $0.00          $0.00
public class TaxCalculatorDataTest {     The @Parameters annotation             $10,000.00     $1,250.00
    private double income;
    private double expectedTax;
                                            indicates the test data             $14,000.00     $1,750.00
    @Parameters                                                                 $14,001.00     $1,750.21
    public static Collection<Object[]> data() {                                 $45,000.00     $8,260.00
        return Arrays.asList(new Object[][] {
                { 0.00, 0.00 },                                                 $48,000.00     $8,890.00
                { 10000.00, 1250.00 }, { 14000.00, 1750.00 },                   $48,001.00     $8,890.33
                { 14001.00, 1750.21 }, { 45000.00, 8260.00 },
                { 48000.00, 8890.00 }, { 48001.00, 8890.33 },                   $65,238.00     $14,578.54
                { 65238.00, 14578.54 }, { 70000.00, 16150.00 },
                                                                                $70,000.00     $16,150.00
                { 70001.00, 16150.38 }, { 80000.00, 19950.00 },
                { 100000.00, 27550.00 }, });                                    $70,001.00     $16,150.38
    }
                                                                                $80,000.00     $19,950.00
    public TaxCalculatorDataTest(double income, double expectedTax) {           $100,000.00    $27,550.00
        super();
        this.income = income;
        this.expectedTax = expectedTax;                           The constructor takes the
    }                                                              fields from the test data
    @Test
    public void shouldCalculateCorrectTax() {
        TaxCalculator calculator = new TaxCalculator();                   The unit tests use data
        double calculatedTax = calculator.calculateTax(income);
        assertThat(calculatedTax, is(expectedTax));                         from these fields.
    }
}
Using Parameterized Tests
Parameterized Tests in Eclipse                    Income     Expected Tax
                                              $0.00         $0.00
Run the test only once                        $10,000.00    $1,250.00

Eclipse displays a result for each data set   $14,000.00
                                              $14,001.00
                                                            $1,750.00
                                                            $1,750.21
                                              $45,000.00    $8,260.00
                                              $48,000.00    $8,890.00
                                              $48,001.00    $8,890.33
                                              $65,238.00    $14,578.54
                                              $70,000.00    $16,150.00
                                              $70,001.00    $16,150.38
                                              $80,000.00    $19,950.00
                                              $100,000.00   $27,550.00
Using Parameterized Tests
Example: using an Excel Spreadsheet




 @Parameters
 public static Collection spreadsheetData() throws IOException {
     InputStream spreadsheet = new FileInputStream("src/test/resources/aTimesB.xls");
     return new SpreadsheetData(spreadsheet).getData();
 }
Using Parameterized Tests
Example: testing Selenium 2 Page Objects
                                    A Page Object class


       public class ExportCertificateSubmissionFormPage extends WebPage {

       	   @FindBy(name="HD_EN") WebElement importerName;
       	   @FindBy(name="HD_EA") WebElement importerAddress;
       	   @FindBy(name="HD_ER") WebElement importerRepresentative;
             ...
       	   public String getImporterName() {
       	   	 return importerName.getValue();
       	   }

       	   public void setImporterName(String value) {
       	   	 enter(value, into(importerName));
       	   }
             ...
       }
Using Parameterized Tests
Example: testing Selenium 2 Page Objects



                                Testing the fields using a parameterized test

 	   @Parameters
 	   public static Collection<Object[]> data() {
 	   	 return Arrays.asList(new Object[][] {
 	   	 	 	 { "importerName", "an-importer-name" },
 	   	 	 	 { "importerAddress", "an-importer-address" },
 	   	 	 	 { "importerRepresentative", "a-importer-representative" },
                 ...
 	   	 	 	 });
 	   }
Using Parameterized Tests
Example: testing Selenium 2 Page Objects




                                                Setting up the test data
 	   private String field;
 	   private String inputValue;

 	   public ReadingAndWritingFieldsWhenRaisingACertificate(String field,
 	   	 	                                                   String inputValue) {
 	   	 this.field = field;
 	   	 this.inputValue = inputValue;
 	   }
Using Parameterized Tests
Example: testing Selenium 2 Page Objects



                                  Test reading and writing to/from the field

 	   @Test
 	   public void userShouldBeAbleToWriteToAnInputFieldAndThenReadTheValue() {
 	   	 setFieldValueUsing(setterFor(field));

 	   	   String retrievedValue = getFieldValueUsing(getterFor(field));

 	   	   assertThat(retrievedValue, is(inputValue));
 	   }                                                 (Reflection magic goes here)
JUnit Rules
Using Existing and Custom JUnit Rules
Customize and control how JUnit behaves
JUnit Rules
    The Temporary Folder Rule
public class LoadDynamicPropertiesTest {
                                                 Create a temporary folder
    @Rule
    public TemporaryFolder folder = new TemporaryFolder();

    private File properties;

    @Before                                                    Prepare some test      data
    public void createTestData() throws IOException {
        properties = folder.newFile("messages.properties");
        BufferedWriter out = new BufferedWriter(new FileWriter(properties));
        // Set up the temporary file
        out.close();
    }
                                                             Use this folder in the   tests

    @Test
    public void shouldLoadFromPropertiesFile() throws IOException {
       DynamicMessagesBundle bundle = new DynamicMessagesBundle();
       bundle.load(properties);
       // Do stuff with the temporary file
    }
}
                                    The folder will be deleted afterwards
JUnit Rules
        The ErrorCollector Rule
         Report on multiple error conditions in a single test
public class ErrorCollectorTest {

	       @Rule
	       public ErrorCollector collector = new ErrorCollector();
	
	       @Test                                  Two things went wrong here
	       public void testSomething() {
    	   	 collector.addError(new Throwable("first thing went wrong"));
    	   	 collector.addError(new Throwable("second thing went wrong"));
    	   	 String result = doStuff();
    	   	 collector.checkThat(result, not(containsString("Oh no, not again")));
	       }

                                                      Check using Hamcrest matchers
	       private String doStuff() {
	       	 return "Oh no, not again";
	       }
}
JUnit Rules
        The ErrorCollector Rule
         Report on multiple error conditions in a single test
public class ErrorCollectorTest {

	       @Rule                                         All three error   messages are reported
	       public ErrorCollector collector = new ErrorCollector();
	
	       @Test
	       public void testSomething() {
    	   	 collector.addError(new Throwable("first thing went wrong"));
    	   	 collector.addError(new Throwable("second thing went wrong"));
    	   	 String result = doStuff();
    	   	 collector.checkThat(result, not(containsString("Oh no, not again")));
	       }

	       private String doStuff() {
	       	 return "Oh no, not again";
	       }
}
JUnit Rules
      The Timeout Rule
       Define a timeout for all tests
public class GlobalTimeoutTest {

    	 @Rule
    	 public MethodRule globalTimeout = new Timeout(1000);
	
	     @Test                               No test should take longer than 1 second
	     public void testSomething() {
	     	 for(;;);
	     }
                                                               Oops
	     @Test
	     public void testSomethingElse() {
	     }
}
JUnit Rules
    The Verifier Rule
    Adding your own custom verification logic
public class VerifierTest {

	   private List<String> systemErrorMessages = new ArrayList<String>();

	   @Rule
	   public MethodRule verifier = new Verifier() {
	   	 @Override
	   	 public void verify() {            After each method,   perform this check
	   	 	 assertThat(systemErrorMessages.size(), is(0));
	   	 }
	   };

	   @Test
	   public void testSomething() {
	   	 // ...
	   	 systemErrorMessages.add("Oh, bother!");
	   }
}
JUnit Rules
    The Watchman Rule
     Keeping an eye on the tests
public class WatchmanTest {
 	 private static String watchedLog;

	   @Rule
	   public MethodRule watchman = new TestWatchman() {                   Called whenever a test fails
	   	   @Override
	   	   public void failed(Throwable e, FrameworkMethod method) {
	   	   	    watchedLog += method.getName() + " " + e.getClass().getSimpleName() + "n";
	   	   }

	   	    @Override
	   	    public void succeeded(FrameworkMethod method) {
	   	    	   watchedLog += method.getName() + " " + "success!n";
	   	    }
	   };
                                                                    Called whenever a test succeeds
	   @Test
	   public void fails() {
	   	   fail();
	   }
	   @Test
	   public void succeeds() {...}
}
JUnit Categories
Grouping tests
Distinguish different types of tests
Mark tests using an annotation
Run different categories of test in
different test suites
JUnit Categories
 Setting up JUnit Categories
  1) Define some categories
                                           Categories are defined as interfaces
public interface IntegrationTests {}

  public interface PerformanceTests {}


   public interface PerformanceTests extends IntegrationTests {}


                                                Subclassing works too
JUnit Categories
Setting up JUnit Categories
2) Annotate your tests
 public class CellTest {
                                               A test with a category
     @Category(PerformanceTests.class)
     @Test
     public void aLivingCellShouldPrintAsAPlus() {...}

     @Category(IntegrationTests.class)
     @Test                                                      A test with several
     public void aDeadCellShouldPrintAsAMinus() {...}               categories

     @Category({PerformanceTests.class,IntegrationTests.class})
     @Test
     public void thePlusSymbolShouldProduceALivingCell() {...}         A normal test
     @Test
     public void theMinusSymbolShouldProduceADeadCell() {...}
 }
JUnit Categories
Setting up JUnit Categories
2) Or annotate your class
                                              You can also annotate the class
 @Category(IntegrationTests.class)
 public class CellTest {

     @Test
     public void aLivingCellShouldPrintAsAPlus() {...}

     @Test
     public void aDeadCellShouldPrintAsAMinus() {...}

     @Test
     public void thePlusSymbolShouldProduceALivingCell() {...}

     @Test
     public void theMinusSymbolShouldProduceADeadCell() {...}
 }
JUnit Categories
Setting up JUnit Categories
3) Set up a test suite
 import   org.junit.experimental.categories.Categories;
 import   org.junit.experimental.categories.Categories.IncludeCategory;
 import   org.junit.runner.RunWith;
 import   org.junit.runners.Suite.SuiteClasses;

 @RunWith(Categories.class)                       Run only performance     tests
 @IncludeCategory(PerformanceTests.class)
 @SuiteClasses( { CellTest.class, WhenYouCreateANewUniverse.class })
 public class PerformanceTestSuite {
                                            Still need to mention the test classes
 }
JUnit Categories
Setting up JUnit Categories
3) Set up a test suite - excluding categories
 import org.junit.experimental.categories.Categories;
  import org.junit.experimental.categories.Categories;
 import org.junit.experimental.categories.Categories.IncludeCategory;
  import org.junit.experimental.categories.Categories.IncludeCategory;
 import org.junit.runner.RunWith;
  import org.junit.runner.RunWith;
 import org.junit.runners.Suite.SuiteClasses;
  import org.junit.runners.Suite.SuiteClasses;

 @RunWith(Categories.class)
  @RunWith(Categories.class)                     Don’t run performance   tests
 @IncludeCategory(PerformanceTests.class)
  @ExcludeCategory(PerformanceTests.class)
 @SuiteClasses( { CellTest.class, WhenYouCreateANewUniverse.class })
  @SuiteClasses( { CellTest.class, WhenYouCreateANewUniverse.class })
 public class PerformanceTestSuite {
  public class UnitTestSuite {

 }
  }
Parallel tests
Running tests in parallel
Run your tests faster
Also works well with multi-core CPUs
Results vary depending on the tests
 IO
 Database
 ...
Parallel tests
    Setting up parallel tests with JUnit and Maven
<project...>                                  Needs Surefire 2.5
    <plugins>
       ...
       <plugin>
         <artifactId>maven-surefire-plugin</artifactId>
         <version>2.5</version>
         <configuration>                                ‘methods’, ‘classes’, or ‘both’
            <parallel>methods</parallel>
         </configuration>
       </plugin>
    </plugins>
    ...
    <build>
       <dependencies>
        <dependency>                                Needs JUnit 4.8.1 or better
            <groupId>junit</groupId>
            <artifactId>junit</artifactId>
            <version>4.8.1</version>
            <scope>test</scope>
           </dependency>
       </dependencies>
    </build>
   ...
</project>
Continuous Testing
Continuous Tests with Infinitest
Infinitest is a continuous test tool for Eclipse and IntelliJ
Runs your tests in the background when you save your code
Continuous Testing
   Using Infinitest
     Whenever you save your file changes, unit tests will be rerun




                                                 Failing test
Project containing an error




                                Error message about the failed test
Mocking with style
Mockito - lightweight Java mocking

     Account
 balance
 number
 getFees(feeType)
       import static org.mockito.Mockito.*;
       ....
       Account accountStub = mock(Account.class);
       when(accountStub.getFees(FeeType.ACCOUNT_MAINTENANCE)).thenReturn(4.00);
       when(accountStub.getFees(FeeType.TRANSACTION_FEE)).thenReturn(0.50);

       assertThat(accountStub.getFees(FeeType.TRANSACTION_FEE), is(0.50));



           Low-formality mocking
Mocking with style
Mockito - lightweight Java mocking
       AccountDao
createNewAccount(String id)



  AccountDao accountDao = mock(AccountDao.class);
  Account newAccount = mock(Account.class);
  when(accountDao.createNewAccount(123456)).thenReturn(newAccount)
                                            .thenThrow(new AccountExistsException() );



                                         Manage successive calls
Mocking with style
Mockito - lightweight Java mocking
       AccountDao
createNewAccount(String id)


   @Mock private AccountDao accountDao
   ...




                                   Mockito annotations
Mocking with style
Mockito - lightweight Java mocking
         Account
 balance
 number
 getEarnedInterest(year)


when(accountStub.getEarnedInterest(intThat(greaterThan(2000)))).thenReturn(10.00);




                                                        Use matchers
Mocking with style
Mockito - lightweight Java mocking
       AccountDao
createNewAccount(String id)


   @Mock private AccountDao accountDao
   ...
   // Test stuff
   ...
   verify(accountDao).createNewAccount( (String) isNotNull());




                     Verify interactions
Thanks for your attention



                  John Ferguson Smart
                 Email: john.smart@wakaleo.com
                  Web: http://www.wakaleo.com
                                 Twitter: wakaleo

Weitere ähnliche Inhalte

Was ist angesagt?

Advanced junit and mockito
Advanced junit and mockitoAdvanced junit and mockito
Advanced junit and mockitoMathieu Carbou
 
Test driven development - JUnit basics and best practices
Test driven development - JUnit basics and best practicesTest driven development - JUnit basics and best practices
Test driven development - JUnit basics and best practicesNarendra Pathai
 
Junit, mockito, etc
Junit, mockito, etcJunit, mockito, etc
Junit, mockito, etcYaron Karni
 
Simple Unit Testing With Netbeans 6.1
Simple Unit Testing With Netbeans 6.1Simple Unit Testing With Netbeans 6.1
Simple Unit Testing With Netbeans 6.1Kiki Ahmadi
 
Sample Chapter of Practical Unit Testing with TestNG and Mockito
Sample Chapter of Practical Unit Testing with TestNG and MockitoSample Chapter of Practical Unit Testing with TestNG and Mockito
Sample Chapter of Practical Unit Testing with TestNG and MockitoTomek Kaczanowski
 
GeeCON 2012 Bad Tests, Good Tests
GeeCON 2012 Bad Tests, Good TestsGeeCON 2012 Bad Tests, Good Tests
GeeCON 2012 Bad Tests, Good TestsTomek Kaczanowski
 
Confitura 2012 Bad Tests, Good Tests
Confitura 2012 Bad Tests, Good TestsConfitura 2012 Bad Tests, Good Tests
Confitura 2012 Bad Tests, Good TestsTomek Kaczanowski
 
JUnit 5 - The Next Generation of JUnit - Ted's Tool Time
JUnit 5 - The Next Generation of JUnit - Ted's Tool TimeJUnit 5 - The Next Generation of JUnit - Ted's Tool Time
JUnit 5 - The Next Generation of JUnit - Ted's Tool TimeTed Vinke
 
Pragmatic unittestingwithj unit
Pragmatic unittestingwithj unitPragmatic unittestingwithj unit
Pragmatic unittestingwithj unitliminescence
 
Writing and using Hamcrest Matchers
Writing and using Hamcrest MatchersWriting and using Hamcrest Matchers
Writing and using Hamcrest MatchersShai Yallin
 

Was ist angesagt? (20)

Advanced junit and mockito
Advanced junit and mockitoAdvanced junit and mockito
Advanced junit and mockito
 
Introduction to JUnit
Introduction to JUnitIntroduction to JUnit
Introduction to JUnit
 
JUNit Presentation
JUNit PresentationJUNit Presentation
JUNit Presentation
 
Test driven development
Test driven developmentTest driven development
Test driven development
 
Testing with Junit4
Testing with Junit4Testing with Junit4
Testing with Junit4
 
Mockito
MockitoMockito
Mockito
 
Test driven development - JUnit basics and best practices
Test driven development - JUnit basics and best practicesTest driven development - JUnit basics and best practices
Test driven development - JUnit basics and best practices
 
Junit, mockito, etc
Junit, mockito, etcJunit, mockito, etc
Junit, mockito, etc
 
Simple Unit Testing With Netbeans 6.1
Simple Unit Testing With Netbeans 6.1Simple Unit Testing With Netbeans 6.1
Simple Unit Testing With Netbeans 6.1
 
Junit With Eclipse
Junit With EclipseJunit With Eclipse
Junit With Eclipse
 
Junit
JunitJunit
Junit
 
Sample Chapter of Practical Unit Testing with TestNG and Mockito
Sample Chapter of Practical Unit Testing with TestNG and MockitoSample Chapter of Practical Unit Testing with TestNG and Mockito
Sample Chapter of Practical Unit Testing with TestNG and Mockito
 
Thread & concurrancy
Thread & concurrancyThread & concurrancy
Thread & concurrancy
 
GeeCON 2012 Bad Tests, Good Tests
GeeCON 2012 Bad Tests, Good TestsGeeCON 2012 Bad Tests, Good Tests
GeeCON 2012 Bad Tests, Good Tests
 
Confitura 2012 Bad Tests, Good Tests
Confitura 2012 Bad Tests, Good TestsConfitura 2012 Bad Tests, Good Tests
Confitura 2012 Bad Tests, Good Tests
 
Junit
JunitJunit
Junit
 
JUnit 5 - The Next Generation of JUnit - Ted's Tool Time
JUnit 5 - The Next Generation of JUnit - Ted's Tool TimeJUnit 5 - The Next Generation of JUnit - Ted's Tool Time
JUnit 5 - The Next Generation of JUnit - Ted's Tool Time
 
Pragmatic unittestingwithj unit
Pragmatic unittestingwithj unitPragmatic unittestingwithj unit
Pragmatic unittestingwithj unit
 
Writing and using Hamcrest Matchers
Writing and using Hamcrest MatchersWriting and using Hamcrest Matchers
Writing and using Hamcrest Matchers
 
Junit and testNG
Junit and testNGJunit and testNG
Junit and testNG
 

Andere mochten auch

Testing android apps with espresso
Testing android apps with espressoTesting android apps with espresso
Testing android apps with espressoÉdipo Souza
 
Embrace Unit Testing
Embrace Unit TestingEmbrace Unit Testing
Embrace Unit Testingalessiopace
 
Reliable tests with selenium web driver
Reliable tests with selenium web driverReliable tests with selenium web driver
Reliable tests with selenium web driverPawelPabich
 
Tech talks #1- Unit testing and TDD
Tech talks #1- Unit testing and TDDTech talks #1- Unit testing and TDD
Tech talks #1- Unit testing and TDDDUONG Trong Tan
 
Testing at Yammer with FooUnit, Jellyfish, and Sauce Labs
Testing at Yammer with FooUnit, Jellyfish, and Sauce LabsTesting at Yammer with FooUnit, Jellyfish, and Sauce Labs
Testing at Yammer with FooUnit, Jellyfish, and Sauce LabsSauce Labs
 
Unit testing with Junit
Unit testing with JunitUnit testing with Junit
Unit testing with JunitValerio Maggio
 
An Introduction to Property Based Testing
An Introduction to Property Based TestingAn Introduction to Property Based Testing
An Introduction to Property Based TestingC4Media
 
Advances in Unit Testing: Theory and Practice
Advances in Unit Testing: Theory and PracticeAdvances in Unit Testing: Theory and Practice
Advances in Unit Testing: Theory and PracticeTao Xie
 
Automated Testing using JavaScript
Automated Testing using JavaScriptAutomated Testing using JavaScript
Automated Testing using JavaScriptSimon Guest
 
(Seleniumcamp) Selenium RC for QA Engineer
(Seleniumcamp) Selenium RC for QA Engineer(Seleniumcamp) Selenium RC for QA Engineer
(Seleniumcamp) Selenium RC for QA EngineerYan Alexeenko
 
A Whirlwind Tour of Test::Class
A Whirlwind Tour of Test::ClassA Whirlwind Tour of Test::Class
A Whirlwind Tour of Test::ClassCurtis Poe
 
Dealing with combinatorial explosions and boring tests
Dealing with combinatorial explosions and boring testsDealing with combinatorial explosions and boring tests
Dealing with combinatorial explosions and boring testsAlexander Tarlinder
 
Assertj-core
Assertj-coreAssertj-core
Assertj-corefbenault
 
Showdown of the Asserts by Philipp Krenn
Showdown of the Asserts by Philipp KrennShowdown of the Asserts by Philipp Krenn
Showdown of the Asserts by Philipp KrennJavaDayUA
 
"Design and Test First"-Workflow für REST APIs
"Design and Test First"-Workflow für REST APIs"Design and Test First"-Workflow für REST APIs
"Design and Test First"-Workflow für REST APIsMarkus Decke
 
Jellyfish, JSCONF 2011
Jellyfish, JSCONF 2011Jellyfish, JSCONF 2011
Jellyfish, JSCONF 2011Adam Christian
 
Property based-testing
Property based-testingProperty based-testing
Property based-testingfbenault
 

Andere mochten auch (20)

Testing android apps with espresso
Testing android apps with espressoTesting android apps with espresso
Testing android apps with espresso
 
JUnit Presentation
JUnit PresentationJUnit Presentation
JUnit Presentation
 
Embrace Unit Testing
Embrace Unit TestingEmbrace Unit Testing
Embrace Unit Testing
 
Reliable tests with selenium web driver
Reliable tests with selenium web driverReliable tests with selenium web driver
Reliable tests with selenium web driver
 
Tech talks #1- Unit testing and TDD
Tech talks #1- Unit testing and TDDTech talks #1- Unit testing and TDD
Tech talks #1- Unit testing and TDD
 
Testing at Yammer with FooUnit, Jellyfish, and Sauce Labs
Testing at Yammer with FooUnit, Jellyfish, and Sauce LabsTesting at Yammer with FooUnit, Jellyfish, and Sauce Labs
Testing at Yammer with FooUnit, Jellyfish, and Sauce Labs
 
Unit testing with Junit
Unit testing with JunitUnit testing with Junit
Unit testing with Junit
 
An Introduction to Property Based Testing
An Introduction to Property Based TestingAn Introduction to Property Based Testing
An Introduction to Property Based Testing
 
Advances in Unit Testing: Theory and Practice
Advances in Unit Testing: Theory and PracticeAdvances in Unit Testing: Theory and Practice
Advances in Unit Testing: Theory and Practice
 
Automated Testing using JavaScript
Automated Testing using JavaScriptAutomated Testing using JavaScript
Automated Testing using JavaScript
 
Selenium for Designers
Selenium for DesignersSelenium for Designers
Selenium for Designers
 
(Seleniumcamp) Selenium RC for QA Engineer
(Seleniumcamp) Selenium RC for QA Engineer(Seleniumcamp) Selenium RC for QA Engineer
(Seleniumcamp) Selenium RC for QA Engineer
 
A Whirlwind Tour of Test::Class
A Whirlwind Tour of Test::ClassA Whirlwind Tour of Test::Class
A Whirlwind Tour of Test::Class
 
Dealing with combinatorial explosions and boring tests
Dealing with combinatorial explosions and boring testsDealing with combinatorial explosions and boring tests
Dealing with combinatorial explosions and boring tests
 
Assertj-core
Assertj-coreAssertj-core
Assertj-core
 
Showdown of the Asserts by Philipp Krenn
Showdown of the Asserts by Philipp KrennShowdown of the Asserts by Philipp Krenn
Showdown of the Asserts by Philipp Krenn
 
JUnit & AssertJ
JUnit & AssertJJUnit & AssertJ
JUnit & AssertJ
 
"Design and Test First"-Workflow für REST APIs
"Design and Test First"-Workflow für REST APIs"Design and Test First"-Workflow für REST APIs
"Design and Test First"-Workflow für REST APIs
 
Jellyfish, JSCONF 2011
Jellyfish, JSCONF 2011Jellyfish, JSCONF 2011
Jellyfish, JSCONF 2011
 
Property based-testing
Property based-testingProperty based-testing
Property based-testing
 

Ähnlich wie JUnit Kung Fu: Getting More Out of Your Unit Tests

We Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End DevelopmentWe Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End DevelopmentAll Things Open
 
Intro to Unit Testing in AngularJS
Intro to Unit Testing in AngularJSIntro to Unit Testing in AngularJS
Intro to Unit Testing in AngularJSJim Lynch
 
Be smart when testing your Akka code
Be smart when testing your Akka codeBe smart when testing your Akka code
Be smart when testing your Akka codeMykhailo Kotsur
 
An introduction to property-based testing
An introduction to property-based testingAn introduction to property-based testing
An introduction to property-based testingVincent Pradeilles
 
Test Infected Presentation
Test Infected PresentationTest Infected Presentation
Test Infected Presentationwillmation
 
MT_01_unittest_python.pdf
MT_01_unittest_python.pdfMT_01_unittest_python.pdf
MT_01_unittest_python.pdfHans Jones
 
How to write clean tests
How to write clean testsHow to write clean tests
How to write clean testsDanylenko Max
 
Beyond xUnit example-based testing: property-based testing with ScalaCheck
Beyond xUnit example-based testing: property-based testing with ScalaCheckBeyond xUnit example-based testing: property-based testing with ScalaCheck
Beyond xUnit example-based testing: property-based testing with ScalaCheckFranklin Chen
 
Grails GORM - You Know SQL. You Know Queries. Here's GORM.
Grails GORM - You Know SQL. You Know Queries. Here's GORM.Grails GORM - You Know SQL. You Know Queries. Here's GORM.
Grails GORM - You Know SQL. You Know Queries. Here's GORM.Ted Vinke
 
Unittesting JavaScript with Evidence
Unittesting JavaScript with EvidenceUnittesting JavaScript with Evidence
Unittesting JavaScript with EvidenceTobie Langel
 
Getting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe TestingGetting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe TestingMark Rickerby
 
Writing Test Cases with PHPUnit
Writing Test Cases with PHPUnitWriting Test Cases with PHPUnit
Writing Test Cases with PHPUnitShouvik Chatterjee
 
Javascript variables and datatypes
Javascript variables and datatypesJavascript variables and datatypes
Javascript variables and datatypesVarun C M
 
Apex Testing and Best Practices
Apex Testing and Best PracticesApex Testing and Best Practices
Apex Testing and Best PracticesJitendra Zaa
 

Ähnlich wie JUnit Kung Fu: Getting More Out of Your Unit Tests (20)

Developer Testing Tools Roundup
Developer Testing Tools RoundupDeveloper Testing Tools Roundup
Developer Testing Tools Roundup
 
We Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End DevelopmentWe Are All Testers Now: The Testing Pyramid and Front-End Development
We Are All Testers Now: The Testing Pyramid and Front-End Development
 
Intro to Unit Testing in AngularJS
Intro to Unit Testing in AngularJSIntro to Unit Testing in AngularJS
Intro to Unit Testing in AngularJS
 
Be smart when testing your Akka code
Be smart when testing your Akka codeBe smart when testing your Akka code
Be smart when testing your Akka code
 
An introduction to property-based testing
An introduction to property-based testingAn introduction to property-based testing
An introduction to property-based testing
 
JUnit Goodness
JUnit GoodnessJUnit Goodness
JUnit Goodness
 
Test Infected Presentation
Test Infected PresentationTest Infected Presentation
Test Infected Presentation
 
MT_01_unittest_python.pdf
MT_01_unittest_python.pdfMT_01_unittest_python.pdf
MT_01_unittest_python.pdf
 
Property Based Testing
Property Based TestingProperty Based Testing
Property Based Testing
 
How to write clean tests
How to write clean testsHow to write clean tests
How to write clean tests
 
Beyond xUnit example-based testing: property-based testing with ScalaCheck
Beyond xUnit example-based testing: property-based testing with ScalaCheckBeyond xUnit example-based testing: property-based testing with ScalaCheck
Beyond xUnit example-based testing: property-based testing with ScalaCheck
 
Grails GORM - You Know SQL. You Know Queries. Here's GORM.
Grails GORM - You Know SQL. You Know Queries. Here's GORM.Grails GORM - You Know SQL. You Know Queries. Here's GORM.
Grails GORM - You Know SQL. You Know Queries. Here's GORM.
 
Unittesting JavaScript with Evidence
Unittesting JavaScript with EvidenceUnittesting JavaScript with Evidence
Unittesting JavaScript with Evidence
 
Getting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe TestingGetting to Grips with SilverStripe Testing
Getting to Grips with SilverStripe Testing
 
Test Driven Development
Test Driven DevelopmentTest Driven Development
Test Driven Development
 
For Beginners - C#
For Beginners - C#For Beginners - C#
For Beginners - C#
 
Writing Test Cases with PHPUnit
Writing Test Cases with PHPUnitWriting Test Cases with PHPUnit
Writing Test Cases with PHPUnit
 
Javascript variables and datatypes
Javascript variables and datatypesJavascript variables and datatypes
Javascript variables and datatypes
 
Apex Testing and Best Practices
Apex Testing and Best PracticesApex Testing and Best Practices
Apex Testing and Best Practices
 
12. arrays
12. arrays12. arrays
12. arrays
 

Mehr von John Ferguson Smart Limited

My Reading Specs - Refactoring Patterns for Gherkin Scenarios
My Reading Specs - Refactoring Patterns for Gherkin ScenariosMy Reading Specs - Refactoring Patterns for Gherkin Scenarios
My Reading Specs - Refactoring Patterns for Gherkin ScenariosJohn Ferguson Smart Limited
 
Artisti e Condotierri - How can your team become artists of the 21st century ...
Artisti e Condotierri - How can your team become artists of the 21st century ...Artisti e Condotierri - How can your team become artists of the 21st century ...
Artisti e Condotierri - How can your team become artists of the 21st century ...John Ferguson Smart Limited
 
Engage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a differenceEngage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a differenceJohn Ferguson Smart Limited
 
Sustainable Test Automation with Serenity BDD and Screenplay
Sustainable Test Automation with Serenity BDD and ScreenplaySustainable Test Automation with Serenity BDD and Screenplay
Sustainable Test Automation with Serenity BDD and ScreenplayJohn Ferguson Smart Limited
 
Engage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a differenceEngage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a differenceJohn Ferguson Smart Limited
 
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...John Ferguson Smart Limited
 
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...John Ferguson Smart Limited
 
Screenplay - Next generation automated acceptance testing
Screenplay - Next generation automated acceptance testingScreenplay - Next generation automated acceptance testing
Screenplay - Next generation automated acceptance testingJohn Ferguson Smart Limited
 
All the world's a stage – the next step in automated testing practices
All the world's a stage – the next step in automated testing practicesAll the world's a stage – the next step in automated testing practices
All the world's a stage – the next step in automated testing practicesJohn Ferguson Smart Limited
 
It's Testing, Jim, but not as we know it - BDD for Testers
It's Testing, Jim, but not as we know it - BDD for TestersIt's Testing, Jim, but not as we know it - BDD for Testers
It's Testing, Jim, but not as we know it - BDD for TestersJohn Ferguson Smart Limited
 

Mehr von John Ferguson Smart Limited (20)

My Reading Specs - Refactoring Patterns for Gherkin Scenarios
My Reading Specs - Refactoring Patterns for Gherkin ScenariosMy Reading Specs - Refactoring Patterns for Gherkin Scenarios
My Reading Specs - Refactoring Patterns for Gherkin Scenarios
 
Artisti e Condotierri - How can your team become artists of the 21st century ...
Artisti e Condotierri - How can your team become artists of the 21st century ...Artisti e Condotierri - How can your team become artists of the 21st century ...
Artisti e Condotierri - How can your team become artists of the 21st century ...
 
Engage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a differenceEngage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a difference
 
BE A POD OF DOLPHINS, NOT A DANCING ELEPHANT
BE A POD OF DOLPHINS, NOT A DANCING ELEPHANTBE A POD OF DOLPHINS, NOT A DANCING ELEPHANT
BE A POD OF DOLPHINS, NOT A DANCING ELEPHANT
 
Sustainable Test Automation with Serenity BDD and Screenplay
Sustainable Test Automation with Serenity BDD and ScreenplaySustainable Test Automation with Serenity BDD and Screenplay
Sustainable Test Automation with Serenity BDD and Screenplay
 
Feature Mapping Workshop
Feature Mapping WorkshopFeature Mapping Workshop
Feature Mapping Workshop
 
Engage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a differenceEngage! Bringing teams together to deliver software that makes a difference
Engage! Bringing teams together to deliver software that makes a difference
 
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
 
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
Beyond Given/When/Then - why diving into Cucumber is the wrong approach to ad...
 
Shift left-devoxx-pl
Shift left-devoxx-plShift left-devoxx-pl
Shift left-devoxx-pl
 
Screenplay - Next generation automated acceptance testing
Screenplay - Next generation automated acceptance testingScreenplay - Next generation automated acceptance testing
Screenplay - Next generation automated acceptance testing
 
Cucumber and Spock Primer
Cucumber and Spock PrimerCucumber and Spock Primer
Cucumber and Spock Primer
 
All the world's a stage – the next step in automated testing practices
All the world's a stage – the next step in automated testing practicesAll the world's a stage – the next step in automated testing practices
All the world's a stage – the next step in automated testing practices
 
CukeUp 2016 Agile Product Planning Workshop
CukeUp 2016 Agile Product Planning WorkshopCukeUp 2016 Agile Product Planning Workshop
CukeUp 2016 Agile Product Planning Workshop
 
BDD Anti-patterns
BDD Anti-patternsBDD Anti-patterns
BDD Anti-patterns
 
Serenity and the Journey Pattern
Serenity and the Journey PatternSerenity and the Journey Pattern
Serenity and the Journey Pattern
 
BDD - Collaborate like you mean it!
BDD - Collaborate like you mean it!BDD - Collaborate like you mean it!
BDD - Collaborate like you mean it!
 
BDD-Driven Microservices
BDD-Driven MicroservicesBDD-Driven Microservices
BDD-Driven Microservices
 
BDD Anti-patterns
BDD Anti-patternsBDD Anti-patterns
BDD Anti-patterns
 
It's Testing, Jim, but not as we know it - BDD for Testers
It's Testing, Jim, but not as we know it - BDD for TestersIt's Testing, Jim, but not as we know it - BDD for Testers
It's Testing, Jim, but not as we know it - BDD for Testers
 

Kürzlich hochgeladen

"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr BaganFwdays
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebUiPathCommunity
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupFlorian Wilhelm
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
Commit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyCommit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyAlfredo García Lavilla
 
TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024Lonnie McRorey
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Commit University
 
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024BookNet Canada
 
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek SchlawackFwdays
 
Generative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information DevelopersGenerative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information DevelopersRaghuram Pandurangan
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsRizwan Syed
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionDilum Bandara
 
The State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxThe State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxLoriGlavin3
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfAddepto
 
Digital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptxDigital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptxLoriGlavin3
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
Developer Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLDeveloper Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLScyllaDB
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brandgvaughan
 

Kürzlich hochgeladen (20)

"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan
 
Dev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio WebDev Dives: Streamline document processing with UiPath Studio Web
Dev Dives: Streamline document processing with UiPath Studio Web
 
Streamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project SetupStreamlining Python Development: A Guide to a Modern Project Setup
Streamlining Python Development: A Guide to a Modern Project Setup
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
Commit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easyCommit 2024 - Secret Management made easy
Commit 2024 - Secret Management made easy
 
TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024TeamStation AI System Report LATAM IT Salaries 2024
TeamStation AI System Report LATAM IT Salaries 2024
 
Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!Nell’iperspazio con Rocket: il Framework Web di Rust!
Nell’iperspazio con Rocket: il Framework Web di Rust!
 
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
Transcript: New from BookNet Canada for 2024: Loan Stars - Tech Forum 2024
 
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data PrivacyTrustArc Webinar - How to Build Consumer Trust Through Data Privacy
TrustArc Webinar - How to Build Consumer Trust Through Data Privacy
 
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
"Subclassing and Composition – A Pythonic Tour of Trade-Offs", Hynek Schlawack
 
Generative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information DevelopersGenerative AI for Technical Writer or Information Developers
Generative AI for Technical Writer or Information Developers
 
Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL Certs
 
Advanced Computer Architecture – An Introduction
Advanced Computer Architecture – An IntroductionAdvanced Computer Architecture – An Introduction
Advanced Computer Architecture – An Introduction
 
The State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptxThe State of Passkeys with FIDO Alliance.pptx
The State of Passkeys with FIDO Alliance.pptx
 
Gen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdfGen AI in Business - Global Trends Report 2024.pdf
Gen AI in Business - Global Trends Report 2024.pdf
 
Digital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptxDigital Identity is Under Attack: FIDO Paris Seminar.pptx
Digital Identity is Under Attack: FIDO Paris Seminar.pptx
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
Developer Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLDeveloper Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQL
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brand
 

JUnit Kung Fu: Getting More Out of Your Unit Tests

  • 1. JUnit Kung Fu Getting more out of your unit tests John Ferguson Smart Principle Consultant Wakaleo Consulting
  • 2. So who is this guy, anyway? John Ferguson Smart Consultant, Trainer, Mentor, Author, Speaker
  • 3. So who is this guy, anyway? John Ferguson Smart Consultant, Trainer, Mentor, Author,...
  • 4. Agenda What will we cover today Naming your tests Hamcrest Assertions and Matchers Parameterized tests and JUnit Theories JUnit Rules Parallel Testing JUnit Categories Continuous Testing Mockito
  • 5. Anatomy of a JUnit 4 test What’s the big deal with JUnit 4? import static com.wakaleo.gameoflife.domain.Cell.DEAD_CELL; import static com.wakaleo.gameoflife.domain.Cell.LIVE_CELL; import static org.hamcrest.MatcherAssert.assertThat; import static org.hamcrest.Matchers.is; import org.junit.Test; No need to extend TestCase public class WhenYouCreateACell { Annotation-based @Test public void aLiveCellShouldBeRepresentedByAnAsterisk() { Cell cell = Cell.fromSymbol("*"); assertThat(cell, is(LIVE_CELL)); } Call the tests anything you want @Ignore("Pending Implementation") @Test Annotations for test metadata public void aDeadCellShouldBeRepresentedByADot() { Cell cell = Cell.fromSymbol("."); assertThat(cell, is(DEAD_CELL)); } ... }
  • 6. What’s in a name Name your tests well "What's in a name? That which we call a rose By any other name would smell as sweet." Romeo and Juliet (II, ii, 1-2)
  • 7. What’s in a name The 10 5 Commandments of Test Writing I. Don’t say “test, say “should” instead II. Don’t test your classes, test their behaviour III. Test class names are important too IV. Structure your tests well V. Tests are deliverables too
  • 8. What’s in a name Don’t use the word ‘test’ in your test names testBankTransfer() testWithdraw() testDeposit()
  • 9. What’s in a name Do use the word ‘should’ in your test names testBankTransfer() testWithdraw() tranferShouldDeductSumFromSourceAccountBalance() testDeposit() transferShouldAddSumLessFeesToDestinationAccountBalance() depositShouldAddAmountToAccountBalance()
  • 10. What’s in a name Your test class names should represent context When is this behaviour applicable? What behaviour are we testing?
  • 11. What’s in a name Write your tests consistently ‘Given-When-Then’ or ‘Arrange-Act-Assert’ (AAA) @Test public void aDeadCellWithOneLiveNeighbourShouldRemainDeadInTheNextGeneration() { String initialGrid = "...n" + ".*.n" + Prepare the test data (“arrange”) "..."; String expectedNextGrid = "...n" + "...n" + "...n"; Do what you are testing (“act”) Universe theUniverse = new Universe(seededWith(initialGrid)); theUniverse.createNextGeneration(); String nextGrid = theUniverse.getGrid(); Check the results (“assert”) assertThat(nextGrid, is(expectedNextGrid)); }
  • 12. What’s in a name Tests are deliverables too - respect them as such Refactor, refactor, refactor! Clean and readable
  • 13. Express Yourself with Hamcrest Why write this... import static org.junit.Assert.*; ... assertEquals(10000, calculatedTax, 0); when you can write this... import static org.hamcrest.Matchers.*; ... assertThat(calculatedTax, is(10000)); “Assert that are equal 10000 and calculated tax (more or less)” ?! Don’t I just mean “assert that calculated tax is 10000”?
  • 14. Express Yourself with Hamcrest With Hamcrest, you can have your cake and eat it! assertThat(calculatedTax, is(expectedTax)); Readable asserts String color = "red"; assertThat(color, is("blue")); Informative errors String[] colors = new String[] {"red","green","blue"}; String color = "yellow"; assertThat(color, not(isIn(colors))); Flexible notation
  • 15. Express Yourself with Hamcrest More Hamcrest expressiveness String color = "red"; assertThat(color, isOneOf("red",”blue”,”green”)); List<String> colors = new ArrayList<String>(); colors.add("red"); colors.add("green"); colors.add("blue"); assertThat(colors, hasItem("blue")); assertThat(colors, hasItems("red”,”green”)); assertThat(colors, hasItem(anyOf(is("red"), is("green"), is("blue"))));
  • 16. Home-made Hamcrest Matchers Customizing and extending Hamcrest Combine existing matchers Or make your own!
  • 17. Home-made Hamcrest Matchers Customizing Hamcrest matchers You can build your own by combining existing Matchers... Create a dedicated Matcher for the Stakeholder class List stakeholders = stakeholderManager.findByName("Health"); Matcher<Stakeholder> calledHealthCorp = hasProperty("name", is("Health Corp")); assertThat(stakeholders, hasItem(calledHealthCorp)); Use matcher directly with hasItem() “The stakeholders list has (at least) one item with the name property set to “Health Corp””
  • 18. Home-made Hamcrest Matchers Writing your own matchers in three easy steps! public class WhenIUseMyCustomHamcrestMatchers { @Test public void thehasSizeMatcherShouldMatchACollectionWithExpectedSize() { List<String> items = new ArrayList<String>(); items.add("java"); assertThat(items, hasSize(1)); } } We want something like this... I want a matcher that checks the size of a collection
  • 19. Home-made Hamcrest Matchers Writing your own matchers in three easy steps! public class HasSizeMatcher extends TypeSafeMatcher<Collection<? extends Object>> { private Matcher<Integer> matcher; Extend the TypeSafeMatcher class public HasSizeMatcher(Matcher<Integer> matcher) { this.matcher = matcher; Provide expected values in } the constructor public boolean matchesSafely(Collection<? extends Object> collection) { return matcher.matches(collection.size()); } Do the actual matching public void describeTo(Description description) { description.appendText("a collection with a size that is"); matcher.describeTo(description); } Describe our expectations } So let’s write this Matcher!
  • 20. Home-made Hamcrest Matchers Writing your own matchers in three easy steps! import java.util.Collection; import org.hamcrest.Factory; import org.hamcrest.Matcher; public class MyMatchers { Use a factory class to store your matchers @Factory public static Matcher<Collection<? extends Object>> hasSize(Matcher<Integer> matcher){ return new HasSizeMatcher(matcher); } } All my custom matchers go in a special Factory class
  • 21. Home-made Hamcrest Matchers Writing your own matchers in three easy steps! import static com.wakaleo.gameoflife.hamcrest.MyMatchers.hasSize; import static org.hamcrest.MatcherAssert.assertThat; public class WhenIUseMyCustomHamcrestMatchers { @Test public void thehasSizeMatcherShouldMatchACollectionWithExpectedSize() { List<String> items = new ArrayList<String>(); items.add("java"); assertThat(items, hasSize(1)); } } Hamcrest-style error messages
  • 22. Home-made Hamcrest Matchers But wait! There’s more! @Test public void weCanUseCustomMatchersWithOtherMatchers() { List<String> items = new ArrayList<String>(); items.add("java"); assertThat(items, allOf(hasSize(1), hasItem("java"))); } Combining matchers @Test public void weCanUseCustomMatchersWithOtherMatchers() { List<String> items = new ArrayList<String>(); items.add("java"); items.add("groovy"); assertThat(items, hasSize(greaterThan(1))); } Nested matchers
  • 23. Data-Driven Unit Tests Using Parameterized Tests
  • 24. Using Parameterized Tests Parameterized tests - for data-driven testing Take a large set of test data, including an expected result Define a test that uses the test data Verify calculated result against expected result {2, 0, 0} {2, 1, 2} {2, 2, 4} {2, 3, 6} {2, 4, 8} x=a*b {2, 5, 10} Test {2, 6, 12} {2, 7, 14} ... Verify Data
  • 25. Using Parameterized Tests Parameterized tests Example: Calculating income tax
  • 26. Using Parameterized Tests Parameterized tests with JUnit 4.8.1 Income Expected Tax $0.00 $0.00 What you need: $10,000.00 $1,250.00 Some test data $14,000.00 $1,750.00 $14,001.00 $1,750.21 A test class with matching fields $45,000.00 $8,260.00 $48,000.00 $8,890.00 And some tests $48,001.00 $8,890.33 $65,238.00 $14,578.54 And an annotation $70,000.00 $16,150.00 public class TaxCalculatorDataTest { @RunWith(Parameterized.class) $70,001.00 $16,150.38 public classdouble income; private TaxCalculatorDataTest { $80,000.00 $19,950.00 private double expectedTax; income; private double expectedTax; $100,000.00 $27,550.00 public TaxCalculatorDataTest(double income, double expectedTax) { super(); this.income = income; public TaxCalculatorDataTest(double income, double expectedTax) { this.income = income; this.expectedTax = expectedTax; super(); } this.expectedTax = expectedTax; this.income = income; } } this.expectedTax = expectedTax; } @Test public void shouldCalculateCorrectTax() {...} @Test } public void shouldCalculateCorrectTax() {...} }
  • 27. Using Parameterized Tests This is a parameterized test How it works Income Expected Tax @RunWith(Parameterized.class) $0.00 $0.00 public class TaxCalculatorDataTest { The @Parameters annotation $10,000.00 $1,250.00 private double income; private double expectedTax; indicates the test data $14,000.00 $1,750.00 @Parameters $14,001.00 $1,750.21 public static Collection<Object[]> data() { $45,000.00 $8,260.00 return Arrays.asList(new Object[][] { { 0.00, 0.00 }, $48,000.00 $8,890.00 { 10000.00, 1250.00 }, { 14000.00, 1750.00 }, $48,001.00 $8,890.33 { 14001.00, 1750.21 }, { 45000.00, 8260.00 }, { 48000.00, 8890.00 }, { 48001.00, 8890.33 }, $65,238.00 $14,578.54 { 65238.00, 14578.54 }, { 70000.00, 16150.00 }, $70,000.00 $16,150.00 { 70001.00, 16150.38 }, { 80000.00, 19950.00 }, { 100000.00, 27550.00 }, }); $70,001.00 $16,150.38 } $80,000.00 $19,950.00 public TaxCalculatorDataTest(double income, double expectedTax) { $100,000.00 $27,550.00 super(); this.income = income; this.expectedTax = expectedTax; The constructor takes the } fields from the test data @Test public void shouldCalculateCorrectTax() { TaxCalculator calculator = new TaxCalculator(); The unit tests use data double calculatedTax = calculator.calculateTax(income); assertThat(calculatedTax, is(expectedTax)); from these fields. } }
  • 28. Using Parameterized Tests Parameterized Tests in Eclipse Income Expected Tax $0.00 $0.00 Run the test only once $10,000.00 $1,250.00 Eclipse displays a result for each data set $14,000.00 $14,001.00 $1,750.00 $1,750.21 $45,000.00 $8,260.00 $48,000.00 $8,890.00 $48,001.00 $8,890.33 $65,238.00 $14,578.54 $70,000.00 $16,150.00 $70,001.00 $16,150.38 $80,000.00 $19,950.00 $100,000.00 $27,550.00
  • 29. Using Parameterized Tests Example: using an Excel Spreadsheet @Parameters public static Collection spreadsheetData() throws IOException { InputStream spreadsheet = new FileInputStream("src/test/resources/aTimesB.xls"); return new SpreadsheetData(spreadsheet).getData(); }
  • 30. Using Parameterized Tests Example: testing Selenium 2 Page Objects A Page Object class public class ExportCertificateSubmissionFormPage extends WebPage { @FindBy(name="HD_EN") WebElement importerName; @FindBy(name="HD_EA") WebElement importerAddress; @FindBy(name="HD_ER") WebElement importerRepresentative; ... public String getImporterName() { return importerName.getValue(); } public void setImporterName(String value) { enter(value, into(importerName)); } ... }
  • 31. Using Parameterized Tests Example: testing Selenium 2 Page Objects Testing the fields using a parameterized test @Parameters public static Collection<Object[]> data() { return Arrays.asList(new Object[][] { { "importerName", "an-importer-name" }, { "importerAddress", "an-importer-address" }, { "importerRepresentative", "a-importer-representative" }, ... }); }
  • 32. Using Parameterized Tests Example: testing Selenium 2 Page Objects Setting up the test data private String field; private String inputValue; public ReadingAndWritingFieldsWhenRaisingACertificate(String field, String inputValue) { this.field = field; this.inputValue = inputValue; }
  • 33. Using Parameterized Tests Example: testing Selenium 2 Page Objects Test reading and writing to/from the field @Test public void userShouldBeAbleToWriteToAnInputFieldAndThenReadTheValue() { setFieldValueUsing(setterFor(field)); String retrievedValue = getFieldValueUsing(getterFor(field)); assertThat(retrievedValue, is(inputValue)); } (Reflection magic goes here)
  • 34. JUnit Rules Using Existing and Custom JUnit Rules Customize and control how JUnit behaves
  • 35. JUnit Rules The Temporary Folder Rule public class LoadDynamicPropertiesTest { Create a temporary folder @Rule public TemporaryFolder folder = new TemporaryFolder(); private File properties; @Before Prepare some test data public void createTestData() throws IOException { properties = folder.newFile("messages.properties"); BufferedWriter out = new BufferedWriter(new FileWriter(properties)); // Set up the temporary file out.close(); } Use this folder in the tests @Test public void shouldLoadFromPropertiesFile() throws IOException { DynamicMessagesBundle bundle = new DynamicMessagesBundle(); bundle.load(properties); // Do stuff with the temporary file } } The folder will be deleted afterwards
  • 36. JUnit Rules The ErrorCollector Rule Report on multiple error conditions in a single test public class ErrorCollectorTest { @Rule public ErrorCollector collector = new ErrorCollector(); @Test Two things went wrong here public void testSomething() { collector.addError(new Throwable("first thing went wrong")); collector.addError(new Throwable("second thing went wrong")); String result = doStuff(); collector.checkThat(result, not(containsString("Oh no, not again"))); } Check using Hamcrest matchers private String doStuff() { return "Oh no, not again"; } }
  • 37. JUnit Rules The ErrorCollector Rule Report on multiple error conditions in a single test public class ErrorCollectorTest { @Rule All three error messages are reported public ErrorCollector collector = new ErrorCollector(); @Test public void testSomething() { collector.addError(new Throwable("first thing went wrong")); collector.addError(new Throwable("second thing went wrong")); String result = doStuff(); collector.checkThat(result, not(containsString("Oh no, not again"))); } private String doStuff() { return "Oh no, not again"; } }
  • 38. JUnit Rules The Timeout Rule Define a timeout for all tests public class GlobalTimeoutTest { @Rule public MethodRule globalTimeout = new Timeout(1000); @Test No test should take longer than 1 second public void testSomething() { for(;;); } Oops @Test public void testSomethingElse() { } }
  • 39. JUnit Rules The Verifier Rule Adding your own custom verification logic public class VerifierTest { private List<String> systemErrorMessages = new ArrayList<String>(); @Rule public MethodRule verifier = new Verifier() { @Override public void verify() { After each method, perform this check assertThat(systemErrorMessages.size(), is(0)); } }; @Test public void testSomething() { // ... systemErrorMessages.add("Oh, bother!"); } }
  • 40. JUnit Rules The Watchman Rule Keeping an eye on the tests public class WatchmanTest { private static String watchedLog; @Rule public MethodRule watchman = new TestWatchman() { Called whenever a test fails @Override public void failed(Throwable e, FrameworkMethod method) { watchedLog += method.getName() + " " + e.getClass().getSimpleName() + "n"; } @Override public void succeeded(FrameworkMethod method) { watchedLog += method.getName() + " " + "success!n"; } }; Called whenever a test succeeds @Test public void fails() { fail(); } @Test public void succeeds() {...} }
  • 41. JUnit Categories Grouping tests Distinguish different types of tests Mark tests using an annotation Run different categories of test in different test suites
  • 42. JUnit Categories Setting up JUnit Categories 1) Define some categories Categories are defined as interfaces public interface IntegrationTests {} public interface PerformanceTests {} public interface PerformanceTests extends IntegrationTests {} Subclassing works too
  • 43. JUnit Categories Setting up JUnit Categories 2) Annotate your tests public class CellTest { A test with a category @Category(PerformanceTests.class) @Test public void aLivingCellShouldPrintAsAPlus() {...} @Category(IntegrationTests.class) @Test A test with several public void aDeadCellShouldPrintAsAMinus() {...} categories @Category({PerformanceTests.class,IntegrationTests.class}) @Test public void thePlusSymbolShouldProduceALivingCell() {...} A normal test @Test public void theMinusSymbolShouldProduceADeadCell() {...} }
  • 44. JUnit Categories Setting up JUnit Categories 2) Or annotate your class You can also annotate the class @Category(IntegrationTests.class) public class CellTest { @Test public void aLivingCellShouldPrintAsAPlus() {...} @Test public void aDeadCellShouldPrintAsAMinus() {...} @Test public void thePlusSymbolShouldProduceALivingCell() {...} @Test public void theMinusSymbolShouldProduceADeadCell() {...} }
  • 45. JUnit Categories Setting up JUnit Categories 3) Set up a test suite import org.junit.experimental.categories.Categories; import org.junit.experimental.categories.Categories.IncludeCategory; import org.junit.runner.RunWith; import org.junit.runners.Suite.SuiteClasses; @RunWith(Categories.class) Run only performance tests @IncludeCategory(PerformanceTests.class) @SuiteClasses( { CellTest.class, WhenYouCreateANewUniverse.class }) public class PerformanceTestSuite { Still need to mention the test classes }
  • 46. JUnit Categories Setting up JUnit Categories 3) Set up a test suite - excluding categories import org.junit.experimental.categories.Categories; import org.junit.experimental.categories.Categories; import org.junit.experimental.categories.Categories.IncludeCategory; import org.junit.experimental.categories.Categories.IncludeCategory; import org.junit.runner.RunWith; import org.junit.runner.RunWith; import org.junit.runners.Suite.SuiteClasses; import org.junit.runners.Suite.SuiteClasses; @RunWith(Categories.class) @RunWith(Categories.class) Don’t run performance tests @IncludeCategory(PerformanceTests.class) @ExcludeCategory(PerformanceTests.class) @SuiteClasses( { CellTest.class, WhenYouCreateANewUniverse.class }) @SuiteClasses( { CellTest.class, WhenYouCreateANewUniverse.class }) public class PerformanceTestSuite { public class UnitTestSuite { } }
  • 47. Parallel tests Running tests in parallel Run your tests faster Also works well with multi-core CPUs Results vary depending on the tests IO Database ...
  • 48. Parallel tests Setting up parallel tests with JUnit and Maven <project...> Needs Surefire 2.5 <plugins> ... <plugin> <artifactId>maven-surefire-plugin</artifactId> <version>2.5</version> <configuration> ‘methods’, ‘classes’, or ‘both’ <parallel>methods</parallel> </configuration> </plugin> </plugins> ... <build> <dependencies> <dependency> Needs JUnit 4.8.1 or better <groupId>junit</groupId> <artifactId>junit</artifactId> <version>4.8.1</version> <scope>test</scope> </dependency> </dependencies> </build> ... </project>
  • 49. Continuous Testing Continuous Tests with Infinitest Infinitest is a continuous test tool for Eclipse and IntelliJ Runs your tests in the background when you save your code
  • 50. Continuous Testing Using Infinitest Whenever you save your file changes, unit tests will be rerun Failing test Project containing an error Error message about the failed test
  • 51. Mocking with style Mockito - lightweight Java mocking Account balance number getFees(feeType) import static org.mockito.Mockito.*; .... Account accountStub = mock(Account.class); when(accountStub.getFees(FeeType.ACCOUNT_MAINTENANCE)).thenReturn(4.00); when(accountStub.getFees(FeeType.TRANSACTION_FEE)).thenReturn(0.50); assertThat(accountStub.getFees(FeeType.TRANSACTION_FEE), is(0.50)); Low-formality mocking
  • 52. Mocking with style Mockito - lightweight Java mocking AccountDao createNewAccount(String id) AccountDao accountDao = mock(AccountDao.class); Account newAccount = mock(Account.class); when(accountDao.createNewAccount(123456)).thenReturn(newAccount) .thenThrow(new AccountExistsException() ); Manage successive calls
  • 53. Mocking with style Mockito - lightweight Java mocking AccountDao createNewAccount(String id) @Mock private AccountDao accountDao ... Mockito annotations
  • 54. Mocking with style Mockito - lightweight Java mocking Account balance number getEarnedInterest(year) when(accountStub.getEarnedInterest(intThat(greaterThan(2000)))).thenReturn(10.00); Use matchers
  • 55. Mocking with style Mockito - lightweight Java mocking AccountDao createNewAccount(String id) @Mock private AccountDao accountDao ... // Test stuff ... verify(accountDao).createNewAccount( (String) isNotNull()); Verify interactions
  • 56. Thanks for your attention John Ferguson Smart Email: john.smart@wakaleo.com Web: http://www.wakaleo.com Twitter: wakaleo