JUnit is a simple framework to write repeatable tests. It is an instance of the xUnit architecture for unit testing frameworks.
JUnit now includes a new experimental Core, MaxCore
. MaxCore
remembers the results of previous test runs in order to run new
tests out of order. MaxCore
prefers new tests to old tests, fast
tests to slow tests, and recently failing tests to tests that last
failed long ago. There's currently not a standard UI for running
MaxCore
included in JUnit, but there is a UI included in the JUnit
Max Eclipse plug-in at:
http://www.junitmax.com/junitmax/subscribe.html
Example:
public static class TwoUnEqualTests {
@Test
public void slow() throws InterruptedException {
Thread.sleep(100);
fail();
}
@Test
public void fast() {
fail();
}
}
@Test
public void rememberOldRuns() {
File maxFile = new File("history.max");
MaxCore firstMax = MaxCore.storedLocally(maxFile);
firstMax.run(TwoUnEqualTests.class);
MaxCore useHistory= MaxCore.storedLocally(maxFile);
List<Failure> failures= useHistory.run(TwoUnEqualTests.class)
.getFailures();
assertEquals("fast", failures.get(0).getDescription().getMethodName());
assertEquals("slow", failures.get(1).getDescription().getMethodName());
}
JUnitCore
now includes an experimental method that allows you to
specify a model of the Computer
that runs your tests. Currently,
the only built-in Computers are the default, serial runner, and two
runners provided in the ParallelRunner
class:
ParallelRunner.classes()
, which runs classes in parallel, and
ParallelRunner.methods()
, which runs classes and methods in parallel.
This feature is currently less stable than MaxCore, and may be merged with MaxCore in some way in the future.
Example:
public static class Example {
@Test public void one() throws InterruptedException {
Thread.sleep(1000);
}
@Test public void two() throws InterruptedException {
Thread.sleep(1000);
}
}
@Test public void testsRunInParallel() {
long start= System.currentTimeMillis();
Result result= JUnitCore.runClasses(ParallelComputer.methods(),
Example.class);
assertTrue(result.wasSuccessful());
long end= System.currentTimeMillis();
assertThat(end - start, betweenInclusive(1000, 1500));
}
Arrays of doubles can be compared, using a delta allowance for equality:
@Test
public void doubleArraysAreEqual() {
assertArrayEquals(new double[] {1.0, 2.0}, new double[] {1.0, 2.0}, 0.01);
}
Filter.matchDescription
APISince 4.0, it has been possible to run a single method using the Request.method
API. In 4.6, the filter that implements this is exposed as Filter.matchDescription
.
A couple classes and packages that once had empty javadoc have been doc'ed.
Added how to run JUnit from the command line to the cookbook.
junit-4.x.zip now contains build.xml
junit-4.6.jar
, which contains all the classes
necessary to run JUnit, and junit-dep-4.6.jar
, which leaves out
hamcrest classes, for developers who already use hamcrest outside of
JUnit.JUnitCore now more often exits with the correct exit code (0 for success, 1 for failure)
Badly formed test classes (exceptions in constructors, classes without tests, multiple constructors, Suite without @SuiteClasses) produce more helpful error messages
Test classes whose only test methods are inherited from superclasses now run.
Optimization to annotation processing can cut JUnit overhead by more than half on large test classes, especially when using Theories. [Bug 1796847]
A failing assumption in a constructor ignores the class
Correct results when comparing the string "null" with potentially null values. [Bug 1857283]
Annotating a class with @RunWith(JUnit4.class)
will always invoke the
default JUnit 4 runner in the current version of JUnit. This default changed
from JUnit4ClassRunner
in 4.4 to BlockJUnit4ClassRunner
in 4.5 (see below),
and may change again.
BlockJUnit4Runner
is a new implementation of the standard JUnit 4
test class functionality. In contrast to JUnit4ClassRunner
(the old
implementation):
BlockJUnit4Runner
has a much simpler implementation based on
Statements, allowing new operations to be inserted into the
appropriate point in the execution flow.
BlockJUnit4Runner
is published, and extension and reuse are
encouraged, whereas JUnit4ClassRunner
was in an internal package,
and is now deprecated.
ParentRunner
is a base class for runners that iterate over
a list of "children", each an object representing a test or suite to run.
ParentRunner
provides filtering, sorting, @BeforeClass
, @AfterClass
,
and method validation to subclasses.
TestClass
wraps a class to be run, providing efficient, repeated access
to all methods with a given annotation.
The new RunnerBuilder
API allows extending the behavior of
Suite-like custom runners.
AssumptionViolatedException.toString()
is more informative
Parameterized.eachOne()
has been removed
New runner Enclosed
runs all static inner classes of an outer class.
@Before
and @After
methods are run before and after each set of attempted parameters
on a Theory, and each set of parameters is run on a new instance of the test class.
Exposed API's ParameterSignature.getType()
and ParameterSignature.getAnnotations()
An array of data points can be introduced by a field or method
marked with the new annotation @DataPoints
The Theories custom runner has been refactored to make it faster and easier to extend
Source has been split into directories src/main/java
and
src/test/java
, making it easier to exclude tests from builds, and
making JUnit more maven-friendly
Test classes in org.junit.tests
have been organized into
subpackages, hopefully making finding tests easier.
ResultMatchers
has more informative descriptions.
TestSystem
allows testing return codes and other system-level interactions.
JUnit is designed to efficiently capture developers' intentions about their code, and quickly check their code matches those intentions. Over the last year, we've been talking about what things developers would like to say about their code that have been difficult in the past, and how we can make them easier.
Two years ago, Joe Walnes built a new assertion mechanism on top of what was
then JMock 1. The method name was assertThat
, and the syntax looked like this:
assertThat(x, is(3));
assertThat(x, is(not(4)));
assertThat(responseString, either(containsString("color")).or(containsString("colour")));
assertThat(myList, hasItem("3"));
More generally:
assertThat([value], [matcher statement]);
Advantages of this assertion syntax include:
More readable and typeable: this syntax allows you to think in terms of subject, verb, object
(assert "x is 3") rathern than assertEquals
, which uses verb, object, subject (assert "equals 3 x")
Combinations: any matcher statement s
can be negated (not(s)
), combined (either(s).or(t)
),
mapped to a collection (each(s)
), or used in custom combinations (afterFiveSeconds(s)
)
Readable failure messages. Compare
assertTrue(responseString.contains("color") || responseString.contains("colour"));
// ==> failure message:
// java.lang.AssertionError:
assertThat(responseString, anyOf(containsString("color"), containsString("colour")));
// ==> failure message:
// java.lang.AssertionError:
// Expected: (a string containing "color" or a string containing "colour")
// got: "Please choose a font"
Custom Matchers. By implementing the Matcher
interface yourself, you can get all of the
above benefits for your own custom assertions.
For a more thorough description of these points, see Joe Walnes's original post.:
We have decided to include this API directly in JUnit. It's an extensible and readable syntax, and because it enables new features, like assumptions and theories.
Some notes:
assertEquals
, assertTrue
, and
so on.The second parameter of an assertThat
statement is a Matcher
.
We include the Matchers we want as static imports, like this:
import static org.hamcrest.CoreMatchers.is;
or:
import static org.hamcrest.CoreMatchers.*;
Manually importing Matcher
methods can be frustrating. [Eclipse
3.3][] includes the ability to
define
"Favorite" classes to import static methods from, which makes it easier
(Search for "Favorites" in the Preferences dialog).
We expect that support for static imports will improve in all Java IDEs in the future.
To allow compatibility with a wide variety of possible matchers, we have decided to include the classes from hamcrest-core, from the Hamcrest project. This is the first time that third-party classes have been included in JUnit.
To allow developers to maintain full control of the classpath contents, the JUnit distribution also provides an unbundled junit-dep jar, ie without hamcrest-core classes included. This is intended for situations when using other libraries that also depend on hamcrest-core, to avoid classloading conflicts or issues. Developers using junit-dep should ensure a compatible version of hamcrest-core jar (ie 1.1+) is present in the classpath.
JUnit currently ships with a few matchers, defined in
org.hamcrest.CoreMatchers
and org.junit.matchers.JUnitMatchers
.
To use many, many more, consider downloading the full hamcrest package.
JUnit contains special support for comparing string and array
values, giving specific information on how they differ. This is not
yet available using the assertThat
syntax, but we hope to bring
the two assert methods into closer alignment in future releases.
Ideally, the developer writing a test has control of all of the forces that might cause a test to fail.
If this isn't immediately possible, making dependencies explicit can often improve a design.
For example, if a test fails when run in a different locale than the developer intended,
it can be fixed by explicitly passing a locale to the domain code.
However, sometimes this is not desirable or possible.
It's good to be able to run a test against the code as it is currently written,
implicit assumptions and all, or to write a test that exposes a known bug.
For these situations, JUnit now includes the ability to express "assumptions":
import static org.junit.Assume.*
@Test public void filenameIncludesUsername() {
assumeThat(File.separatorChar, is('/'));
assertThat(new User("optimus").configFileName(), is("configfiles/optimus.cfg"));
}
@Test public void correctBehaviorWhenFilenameIsNull() {
assumeTrue(bugFixed("13356")); // bugFixed is not included in JUnit
assertThat(parse(null), is(new NullDocument()));
}
With this beta release, a failed assumption will lead to the test being marked as passing, regardless of what the code below the assumption may assert. In the future, this may change, and a failed assumption may lead to the test being ignored: however, third-party runners do not currently allow this option.
We have included assumeTrue
for convenience, but thanks to the
inclusion of Hamcrest, we do not need to create assumeEquals
,
assumeSame
, and other analogues to the assert*
methods. All of
those functionalities are subsumed in assumeThat, with the appropriate
matcher.
A failing assumption in a @Before
or @BeforeClass
method will have the same effect
as a failing assumption in each @Test
method of the class.
More flexible and expressive assertions, combined with the ability to state assumptions clearly, lead to a new kind of statement of intent, which we call a "Theory". A test captures the intended behavior in one particular scenario. A theory allows a developer to be as precise as desired about the behavior of the code in possibly infinite numbers of possible scenarios. For example:
@RunWith(Theories.class)
public class UserTest {
@DataPoint public static String GOOD_USERNAME = "optimus";
@DataPoint public static String USERNAME_WITH_SLASH = "optimus/prime";
@Theory public void filenameIncludesUsername(String username) {
assumeThat(username, not(containsString("/")));
assertThat(new User(username).configFileName(), containsString(username));
}
}
This makes it clear that the user's filename should be included in the config file name, only if it doesn't contain a slash. Another test or theory might define what happens when a username does contain a slash.
UserTest
will attempt to run filenameIncludesUsername
on
every compatible DataPoint
defined in the class. If any of the
assumptions fail, the data point is silently ignored. If all of the
assumptions pass, but an assertion fails, the test fails.
The support for Theories has been absorbed from the Popper project, and more complete documentation can be found there.
Defining general statements in this way can jog the developer's memory about other potential data points and tests, also allows automated tools to search for new, unexpected data points that expose bugs.
This release contains other bug fixes and new features. Among them:
Annotated descriptions
Runner UIs, Filters, and Sorters operate on Descriptions of test methods and test classes. These Descriptions now include the annotations on the original Java source element, allowing for richer display of test results, and easier development of annotation-based filters.
Bug fix (1715326): assertEquals now compares all Numbers using their
native implementation of equals
. This assertion, which passed in
4.3, will now fail:
assertEquals(new Integer(1), new Long(1));
Non-integer Numbers (Floats, Doubles, BigDecimals, etc), which were compared incorrectly in 4.3, are now fixed.
assertEquals(long, long)
and assertEquals(double, double)
have
been re-introduced to the Assert
class, to take advantage of
Java's native widening conversions. Therefore, this still passes:
assertEquals(1, 1L);
The default runner for JUnit 4 test classes has been refactored.
The old version was named TestClassRunner
, and the new is named
JUnit4ClassRunner
. Likewise, OldTestClassRunner
is now
JUnit3ClassRunner
. The new design allows variations in running
individual test classes to be expressed with fewer custom classes.
For a good example, see the source to
org.junit.experimental.theories.Theories
.
The rules for determining which runner is applied by default to a test class have been simplified:
If the class has a @RunWith
annotation, the annotated runner
class is used.
If the class can be run with the JUnit 3 test runner (it
subclasses TestCase
, or contains a public static Test suite()
method), JUnit38ClassRunner is used.
Otherwise, JUnit4ClassRunner is used.
This default guess can always be overridden by an explicit
@RunWith(JUnit4ClassRunner.class)
or
@RunWith(JUnit38ClassRunner.class)
annotation.
The old class names TestClassRunner
and OldTestClassRunner
remain as deprecated.
Bug fix (1739095): Filters and Sorters work correctly on test
classes that contain a suite
method like:
public static junit.framework.Test suite() { return new JUnit4TestAdapter(MyTest.class); }
Bug fix (1745048): @After methods are now correctly called after a test method times out.
The architecture of JUnit 4.0 is a substantial departure from that of earlier releases. Instead of tagging test classes by subclassing junit.framework.TestCase and tagging test methods by starting their name with "test", you now tag test methods with the @Test annotation.
README.html | this file |
junit-4.6.jar | a jar file with the JUnit framework, bundled with the hamcrest-core-1.1 dependency. |
junit-dep-4.6.jar | a jar file with the JUnit framework, unbundled from any external dependencies. Choosing to use this jar developers will need to also provide in the classpath a compatible version of external dependencies (ie hamcrest-core-1.1+) |
junit-4.6-src.jar | a jar file with the source code of the JUnit framework |
org/junit | the source code of the basic JUnit annotations and classes |
samples | sample test cases |
tests | test cases for JUnit itself |
javadoc | javadoc generated documentation |
doc | documentation and articles |
You find additional samples in the org.junit.samples package:
JUnit CookbookThe following documents still describe JUnit 3.8.
A cookbook for implementing tests with JUnit.
Javadoc
API documentation generated with javadoc.
Frequently asked questions
Some frequently asked questions about using JUnit.
License
The terms of the common public license used for JUnit.
Test Infected - Programmers Love Writing Tests
An article demonstrating the development process with JUnit.
JUnit - A cooks tour