Eunit-2 6
Eunit-2 6
1.1.2 Terminology
Unit testing
Testing that a program unit behaves as it is supposed to do (in itself), according to its specifications. Unit tests
have an important function as regression tests, when the program later is modified for some reason, since they
check that the program still behaves according to specification.
Regression testing
Running a set of tests after making changes to a program, to check that the program behaves as it did before the
changes (except, of course, for any intentional changes in behaviour). Unit tests are important as regression tests,
but regression testing can involve more than just unit testing, and may also test behaviour that might not be part
of the normal specification (such as bug-for-bug-compatibility).
Integration testing
Testing that a number of individually developed program units (assumed to already have been separately unit
tested) work together as expected. Depending on the system being developed, integration testing may be as simple
as "just another level of unit testing", but might also involve other kinds of tests (compare system testing).
System testing
Testing that a complete system behaves according to its specification. Specifically, system testing should not
require knowing any details about the implementation. It typically involves testing many different aspects of the
system behaviour apart from the basic functionality, such as performance, usability, and reliability.
Test-driven development
A program development technique where you continuously write tests before you implement the code that is
supposed to pass those tests. This can help you focus on solving the right problems, and not make a more
complicated implementation than necessary, by letting the unit tests determine when a program is "done": if it
fulfils its specifications, there is no need to keep adding functionality.
Mock object
Sometimes, testing some unit A (e.g., a function) requires that it collaborates somehow with some other unit B
(perhaps being passed as an argument, or by reference) - but B has not been implemented yet. A "mock object" -
an object which, for the purposes of testing A, looks and behaves like a real B - might then be used instead. (This
is of course only useful if it would be significantly more work to implement a real B than to create a mock object.)
Test case
A single, well-defined test, that somehow can be uniquely identified. When executed, the test case either passes
or fails; the test report should identify exactly which test cases failed.
Test suite
A collection of test cases, generally with a specific, common target for testing, such as a single function, module,
or subsystem. A test suite may also be recursively composed by smaller test suites.
-include_lib("eunit/include/eunit.hrl").
or if you want Eunit to always be available when you run Erlang interactively, you can add a line like the following
to your $HOME/.erlang file:
code:add_path("/path/to/eunit/ebin").
This just tests that the function lists:reverse(List) does not crash when List is [1,2,3]. It is not a great
test, but many people write simple functions like this one to test the basic functionality of their code, and those tests
can be used directly by EUnit, without changes, as long as their function names match.
Use exceptions to signal failure To write more interesting tests, we need to make them crash (throw an exception)
when they don't get the result they expect. A simple way of doing this is to use pattern matching with =, as in the
following examples:
If there was some bug in lists:reverse/1 that made it return something other than [2,1] when it got [1,2] as
input, then the last test above would throw a badmatch error. The first two (we assume they do not get a badmatch)
would simply return [] and [1], respectively, so both succeed. (Note that EUnit is not psychic: if you write a test
that returns a value, even if it is the wrong value, EUnit will consider it a success. You must make sure that the test
is written so that it causes a crash if the result is not what it should be.)
Using assert macros If you want to use Boolean operators for your tests, the assert macro comes in handy (see
EUnit macros for details):
The ?assert(Expression) macro will evaluate Expression, and if that does not evaluate to true, it will
throw an exception; otherwise it just returns ok. In the above example, the test will thus fail if the call to length
does not return 3.
Running EUnit
If you have added the declaration -include_lib("eunit/include/eunit.hrl") to your module, as
described above, you only need to compile the module, and run the automatically exported function test(). For
example, if your module was named m, then calling m:test() will run EUnit on all the tests defined in the module.
You do not need to write -export declarations for the test functions. This is all done by magic.
You can also use the function eunit:test/1 to run arbitrary tests, for example to try out some more advanced test
descriptors (see EUnit test representation). For example, running eunit:test(m) does the same thing as the auto-
generated function m:test(), while eunit:test({inparallel, m}) runs the same test cases but executes
them all in parallel.
Putting tests in separate modules
If you want to separate your test code from your normal code (at least for testing the exported functions), you can
simply write the test functions in a module named m_tests (note: not m_test), if your module is named m. Then,
whenever you ask EUnit to test the module m, it will also look for the module m_tests and run those tests as well.
See ModuleName in the section Primitives for details.
EUnit captures standard output
If your test code writes to the standard output, you may be surprised to see that the text does not appear on the console
when the tests are running. This is because EUnit captures all standard output from test functions (this also includes
setup and cleanup functions, but not generator functions), so that it can be included in the test report if errors occur.
To bypass EUnit and print text directly to the console while testing, you can write to the user output stream, as
in io:format(user, "~w", [Term]). The recommended way of doing this is to use the EUnit Debugging
macros, which make it much simpler.
For checking the output produced by the unit under test, see Macros for checking output.
basic_test_() ->
fun () -> ?assert(1 + 1 =:= 2) end.
simple_test() ->
?assert(1 + 1 =:= 2).
(in fact, EUnit will handle all simple tests just like it handles fun-expressions: it will put them in a list, and run them
one by one).
Using macros to write tests To make tests more compact and readable, as well as automatically add information about
the line number in the source code where a test occurred (and reduce the number of characters you have to type), you
can use the _test macro (note the initial underscore character), like this:
basic_test_() ->
?_test(?assert(1 + 1 =:= 2)).
The _test macro takes any expression (the "body") as argument, and places it within a fun-expression (along with
some extra information). The body can be any kind of test expression, just like the body of a simple test function.
Underscore-prefixed macros create test objects But this example can be made even shorter! Most test macros, such
as the family of assert macros, have a corresponding form with an initial underscore character, which automatically
adds a ?_test(...) wrapper. The above example can then simply be written:
basic_test_() ->
?_assert(1 + 1 =:= 2).
which has exactly the same meaning (note the _assert instead of assert). You can think of the initial underscore
as signalling test object.
An example
Sometimes, an example says more than a thousand words. The following small Erlang module shows how EUnit can
be used in practice.
-module(fib).
-export([fib/1]).
-include_lib("eunit/include/eunit.hrl").
fib(0) -> 1;
fib(1) -> 1;
fib(N) when N > 1 -> fib(N-1) + fib(N-2).
fib_test_() ->
[?_assert(fib(0) =:= 1),
?_assert(fib(1) =:= 1),
?_assert(fib(2) =:= 2),
?_assert(fib(3) =:= 3),
?_assert(fib(4) =:= 5),
?_assert(fib(5) =:= 8),
?_assertException(error, function_clause, fib(-1)),
?_assert(fib(31) =:= 2178309)
].
(Author's note: When I first wrote this example, I happened to write a * instead of + in the fib function. Of course,
this showed up immediately when I ran the tests.)
See EUnit test representation for a full list of all the ways you can specify test sets in EUnit.
Disabling testing
Testing can be turned off by defining the NOTEST macro when compiling, for example as an option to erlc, as in:
or by adding a macro definition to the code, before the EUnit header file is included:
-define(NOTEST, 1).
(the value is not important, but should typically be 1 or true). Note that unless the EUNIT_NOAUTO macro is defined,
disabling testing will also automatically strip all test functions from the code, except for any that are explicitly declared
as exported.
For instance, to use EUnit in your application, but with testing turned off by default, put the following lines in a header
file:
-define(NOTEST, true).
-include_lib("eunit/include/eunit.hrl").
and then make sure that every module of your application includes that header file. This means that you have a only
a single place to modify in order to change the default setting for testing. To override the NOTEST setting without
modifying the code, you can define TEST in a compiler option, like this:
-ifdef(TEST).
-include_lib("eunit/include/eunit.hrl").
-endif.
and, of course, also make sure that you place all test code that uses EUnit macros within -ifdef(TEST) or -
ifdef(EUNIT) sections.
Basic macros
_test(Expr)
Turns Expr into a "test object", by wrapping it in a fun-expression and a source line number. Technically, this
is the same as {?LINE, fun () -> (Expr) end}.
-ifdef(EUNIT).
% test code here
...
-endif.
e.g., to ensure that the code can be compiled without including the EUnit header file, when testing is disabled.
See also the macros TEST and NOTEST.
EUNIT_NOAUTO
If this macro is defined, the automatic exporting or stripping of test functions will be disabled.
TEST
This macro is always defined (to true, unless previously defined by the user to have another value) whenever
EUnit is enabled at compile time. This can be used to place testing code within conditional compilation; see also
the macros NOTEST and EUNIT.
For testing code that is strictly dependent on EUnit, it may be preferable to use the EUNIT macro for this purpose,
while for code that uses more generic testing conventions, using the TEST macro may be preferred.
The TEST macro can also be used to override the NOTEST macro. If TEST is defined before the EUnit header
file is included (even if NOTEST is also defined), then the code will be compiled with EUnit enabled.
NOTEST
This macro is always defined (to true, unless previously defined by the user to have another value) whenever
EUnit is disabled at compile time. (Compare the TEST macro.)
This macro can also be used for conditional compilation, but is more typically used to disable testing: If NOTEST
is defined before the EUnit header file is included, and TEST is not defined, then the code will be compiled with
EUnit disabled. See also Disabling testing.
NOASSERT
If this macro is defined, the assert macros will have no effect, when testing is also disabled. See Assert macros.
When testing is enabled, the assert macros are always enabled automatically and cannot be disabled.
ASSERT
If this macro is defined, it overrides the NOASSERT macro, forcing the assert macros to always be enabled
regardless of other settings.
NODEBUG
If this macro is defined, the debugging macros will have no effect. See Debugging macros. NODEBUG also implies
NOASSERT, unless testing is enabled.
DEBUG
If this macro is defined, it overrides the NODEBUG macro, forcing the debugging macros to be enabled.
Utility macros
The following macros can make tests more compact and readable:
LET(Var,Arg,Expr)
Creates a local binding Var = Arg in Expr. (This is the same as (fun(Var)->(Expr)end)(Arg).) Note
that the binding is not exported outside of Expr, and that within Expr, this binding of Var will shadow any
binding of Var in the surrounding scope.
IF(Cond,TrueCase,FalseCase)
Evaluates TrueCase if Cond evaluates to true, or otherwise evaluates FalseCase if Cond evaluates to
false. (This is the same as (case (Cond) of true->(TrueCase); false->(FalseCase)
end).) Note that it is an error if Cond does not yield a boolean value.
Assert macros
(Note that these macros also have corresponding forms which start with an "_" (underscore) character, as in ?
_assert(BoolExpr), that create a "test object" instead of performing the test immediately. This is equivalent to
writing ?_test(assert(BoolExpr)), etc.)
If the macro NOASSERT is defined before the EUnit header file is included, these macros have no effect when testing
is also disabled; see Compilation control macros for details.
assert(BoolExpr)
Evaluates the expression BoolExpr, if testing is enabled. Unless the result is true, an informative exception
will be generated. If there is no exception, the result of the macro expression is the atom ok, and the value of
BoolExpr is discarded. If testing is disabled, the macro will not generate any code except the atom ok, and
BoolExpr will not be evaluated.
Typical usage:
The assert macro can be used anywhere in a program, not just in unit tests, to check pre/postconditions and
invariants. For example:
some_recursive_function(X, Y, Z) ->
?assert(X + Y > Z),
...
assertNot(BoolExpr)
Equivalent to assert(not (BoolExpr)).
assertMatch(GuardedPattern, Expr)
Evaluates Expr and matches the result against GuardedPattern, if testing is enabled. If the match fails, an
informative exception will be generated; see the assert macro for further details. GuardedPattern can be
anything that you can write on the left hand side of the -> symbol in a case-clause, except that it cannot contain
comma-separated guard tests.
The main reason for using assertMatch also for simple matches, instead of matching with =, is that it produces
more detailed error messages.
Examples:
assertNotMatch(GuardedPattern, Expr)
The inverse case of assertMatch, for convenience.
assertEqual(Expect, Expr)
Evaluates the expressions Expect and Expr and compares the results for equality, if testing is enabled. If the
values are not equal, an informative exception will be generated; see the assert macro for further details.
assertEqual is more suitable than assertMatch when the left-hand side is a computed value rather than
a simple pattern, and gives more details than ?assert(Expect =:= Expr).
Examples:
?assertEqual(foo(X), bar(Y))
assertNotEqual(Unexpected, Expr)
The inverse case of assertEqual, for convenience.
assertException(ClassPattern, TermPattern, Expr)
assertError(TermPattern, Expr)
assertExit(TermPattern, Expr)
assertThrow(TermPattern, Expr)
Evaluates Expr, catching any exception and testing that it matches the expected
ClassPattern:TermPattern. If the match fails, or if no exception is thrown by Expr, an informative
exception will be generated; see the assert macro for further details. The assertError, assertExit,
and assertThrow macros, are equivalent to using assertException with a ClassPattern of error,
exit, or throw, respectively.
Examples:
?assertError(badarith, X/0)
?assertExit(normal, exit(normal))
io:format("Hello~n"),
?assertEqual("Hello\n", ?capturedOutput)
?assertCmd("mkdir foo")
assertCmdStatus(N, CommandString)
Like the assertCmd(CommandString) macro, but generates an exception unless the returned status value
is N.
assertCmdOutput(Text, CommandString)
Runs CommandString as an external command, if testing is enabled. Unless the output produced by the
command exactly matches the specified string Text, an informative exception will be generated. (Note that the
output is normalized to use a single LF character as line break on all platforms.) If there is no exception, the result
of the macro expression is the atom ok. If testing is disabled, the macro will not generate any code except the
atom ok, and the command will not be executed.
cmd(CommandString)
Runs CommandString as an external command. Unless the returned status value is 0 (indicating success), an
informative exception will be generated; otherwise, the result of the macro expression is the output produced by
the command, as a flat string. The output is normalized to use a single LF character as line break on all platforms.
This macro is useful in the setup and cleanup sections of fixtures, e.g., for creating and deleting files or perform
similar operating system specific tasks, to make sure that the test system is informed of any failures.
A Unix-specific example:
{setup,
fun () -> ?cmd("mktemp") end,
fun (FileName) -> ?cmd("rm " ++ FileName) end,
...}
Debugging macros
To help with debugging, EUnit defines several useful macros for printing messages directly to the console (rather
than to the standard output). Furthermore, these macros all use the same basic format, which includes the file and line
number where they occur, making it possible in some development environments (e.g., when running Erlang in an
Emacs buffer) to simply click on the message and jump directly to the corresponding line in the code.
If the macro NODEBUG is defined before the EUnit header file is included, these macros have no effect; see Compilation
control macros for details.
debugHere
Just prints a marker showing the current file and line number. Note that this is an argument-less macro. The result
is always ok.
debugMsg(Text)
Outputs the message Text (which can be a plain string, an IO-list, or just an atom). The result is always ok.
debugFmt(FmtString, Args)
This formats the text like io:format(FmtString, Args) and outputs it like debugMsg. The result is
always ok.
debugVal(Expr)
Prints both the source code for Expr and its current value. E.g., ?debugVal(f(X)) might be displayed as
"f(X) = 42". (Large terms are truncated to the depth given by the macro EUNIT_DEBUG_VAL_DEPTH,
which defaults to 15 but can be overridden by the user.) The result is always the value of Expr, so this macro
can be wrapped around any expression to display its value when the code is compiled with debugging enabled.
debugVal(Expr, Depth)
Like debugVal(Expr), but prints terms truncated to the given depth.
debugTime(Text,Expr)
Prints Text and the wall clock time for evaluation of Expr. The result is always the value of Expr, so this
macro can be wrapped around any expression to show its run time when the code is compiled with debugging
enabled. For example, List1 = ?debugTime("sorting", lists:sort(List)) might show as
"sorting: 0.015 s".
fun some_function/0
fun some_module:some_function/0
• A tuple {test, ModuleName, FunctionName}, where ModuleName and FunctionName are atoms,
referring to the function ModuleName:FunctionName/0
• (Obsolete) A pair of atoms {ModuleName, FunctionName}, equivalent to {test, ModuleName,
FunctionName} if nothing else matches first. This might be removed in a future version.
• A pair {LineNumber, SimpleTest}, where LineNumber is a nonnegative integer and SimpleTest is
another simple test object. LineNumber should indicate the source line of the test. Pairs like this are usually
only created via ?_test(...) macros; see Basic macros.
In brief, a simple test object consists of a single function that takes no arguments (possibly annotated with some
additional metadata, i.e., a line number). Evaluation of the function either succeeds, by returning some value (which
is ignored), or fails, by throwing an exception.
Titles
Any test or test set T can be annotated with a title, by wrapping it in a pair {Title, T}, where Title is a string. For
convenience, any test which is normally represented using a tuple can simply be given a title string as the first element,
i.e., writing {"The Title", ...} instead of adding an extra tuple wrapper as in {"The Title", {...}}.
Primitives
The following are primitives, which do not contain other test sets as arguments:
ModuleName::atom()
A single atom represents a module name, and is equivalent to {module, ModuleName}. This is often used
as in the call eunit:test(some_module).
{module, ModuleName::atom()}
This composes a test set from the exported test functions of the named module, i.e., those functions with arity
zero whose names end with _test or _test_. Basically, the ..._test() functions become simple tests,
while the ..._test_() functions become generators.
In addition, EUnit will also look for another module whose name is ModuleName plus the suffix _tests,
and if it exists, all the tests from that module will also be added. (If ModuleName already contains the suffix
_tests, this is not done.) E.g., the specification {module, mymodule} will run all tests in the modules
mymodule and mymodule_tests. Typically, the _tests module should only contain test cases that use the
public interface of the main module (and no other code).
{application, AppName::atom(), Info::list()}
This is a normal Erlang/OTP application descriptor, as found in an .app file. The resulting test set consists of
the modules listed in the modules entry in Info.
{application, AppName::atom()}
This creates a test set from all the modules belonging to the specified application, by consulting the application's
.app file (see {file, FileName}), or if no such file exists, by testing all object files in the application's
ebin-directory (see {dir, Path}); if that does not exist, the code:lib_dir(AppName) directory is used.
Path::string()
A single string represents the path of a file or directory, and is equivalent to {file, Path}, or {dir, Path},
respectively, depending on what Path refers to in the file system.
{file, FileName::string()}
If FileName has a suffix that indicates an object file (.beam), EUnit will try to reload the module from the
specified file and test it. Otherwise, the file is assumed to be a text file containing test specifications, which will
be read using the standard library function file:path_consult/2.
Unless the file name is absolute, the file is first searched for relative to the current directory, and then using the
normal search path (code:get_path()). This means that the names of typical "app" files can be used directly,
without a path, e.g., "mnesia.app".
{dir, Path::string()}
This tests all object files in the specified directory, as if they had been individually specified using {file,
FileName}.
{generator, GenFun::(() -> Tests)}
The generator function GenFun is called to produce a test set.
{generator, ModuleName::atom(), FunctionName::atom()}
The function ModuleName:FunctionName() is called to produce a test set.
{with, X::any(), [AbstractTestFun::((any()) -> any())]}
Distributes the value X over the unary functions in the list, turning them into nullary test functions. An
AbstractTestFun is like an ordinary test fun, but takes one argument instead of zero - it's basically missing
some information before it can be a proper test. In practice, {with, X, [F_1, ..., F_N]} is equivalent
to [fun () -> F_1(X) end, ..., fun () -> F_N(X) end]. This is particularly useful if your
abstract test functions are already implemented as proper functions: {with, FD, [fun filetest_a/1,
fun filetest_b/1, fun filetest_c/1]} is equivalent to [fun () -> filetest_a(FD)
end, fun () -> filetest_b(FD) end, fun () -> filetest_c(FD) end], but much more
compact. See also Fixtures, below.
Control
The following representations control how and where tests are executed:
{spawn, Tests}
Runs the specified tests in a separate subprocess, while the current test process waits for it to finish. This is useful
for tests that need a fresh, isolated process state. (Note that EUnit always starts at least one such a subprocess
automatically; tests are never executed by the caller's own process.)
Fixtures
A "fixture" is some state that is necessary for a particular set of tests to run. EUnit's support for fixtures makes it easy
to set up such state locally for a test set, and automatically tear it down again when the test set is finished, regardless
of the outcome (success, failures, timeouts, etc.).
To make the descriptions simpler, we first list some definitions:
Table 1.1:
Lazy generators
Sometimes, it can be convenient not to produce the whole set of test descriptions before the testing begins; for example,
if you want to generate a huge amount of tests that would take up too much space to keep in memory all at once.
It is fairly easy to write a generator which, each time it is called, either produces an empty list if it is done, or
otherwise produces a list containing a single test case plus a new generator which will produce the rest of the tests.
This demonstrates the basic pattern:
lazy_test_() ->
lazy_gen(10000).
lazy_gen(N) ->
{generator,
fun () ->
if N > 0 ->
[?_test(...)
| lazy_gen(N-1)];
true ->
[]
end
end}.
When EUnit traverses the test representation in order to run the tests, the new generator will not be called to produce
the next test until the previous test has been executed.
Note that it is easiest to write this kind of recursive generator using a help function, like the lazy_gen/1 function
above. It can also be written using a recursive fun, if you prefer to not clutter your function namespace and are
comfortable with writing that kind of code.
2 Reference Manual
The EUnit application contains modules with support for unit testing.
eunit
Erlang module
Exports
eunit:test(fred)
runs all tests in the module fred and also any tests in the module fred_tests, if that module exists.
Options:
verbose
Displays more details about the running tests.
print_depth
Maximum depth to which terms are printed in case of error.
Options in the environment variable EUNIT are also included last in the option list, i.e., have lower precedence than
those in Options.
See also: test/1.
eunit_surefire
Erlang module
Surefire reports for EUnit (Format used by Maven and Atlassian Bamboo for example to integrate test results). Based
on initial code from Paul Guyot.
Example: Generate XML result file in the current directory:
eunit:test([fib, eunit_examples],
[{report,{eunit_surefire,[{dir,"."}]}}]).
Exports
See also
eunit