Unit testing tutorial
This tutorial gives an overview of the unit testing approach and discusses four frameworks supported by CLion: Google Test, Boost.Test, Catch2, and Doctest. The Unit Testing in CLion part will guide you through the process of including these frameworks into your project and describe the instruments that CLion provides to help you work with unit testing.
Basics of unit testing
Unit testing aims to check individual units of your source code separately. A unit here is the smallest part of code that can be tested in isolation, for example, a free function or a class method.
Unit testing helps:
Modularize your code
As code's testability depends on its design, unit tests facilitate breaking it into specialized easy-to-test pieces.
Avoid regressions
When you have a suite of unit tests, you can run it iteratively to ensure that everything keeps working correctly every time you add new functionality or introduce changes.
Document your code
Running, debugging, or even just reading tests can give a lot of information about how the original code works, so you can use them as implicit documentation.
A single unit test is a method that checks some specific functionality and has clear pass/fail criteria. The generalized structure of a single test looks like this:
Good practices for unit testing include:
Creating tests for all publicly exposed functions, including class constructors and operators.
Covering all code paths and checking both trivial and edge cases, including those with incorrect input data (see negative testing).
Assuring that each test works independently and does't prevent other tests from execution.
Organizing tests in a way that the order in which you run them doesn't affect the results.
It's useful to group test cases when they are logically connected or use the same data. Suites combine tests with common functionality (for example, when performing different cases for the same function). Fixture classes help organize shared resources for multiple tests. They are used to set up and clean up the environment for each test within a group and thus avoid code duplication.
Unit testing is often combined with mocking. Mock objects are lightweight implementations of test targets, used when the under-test functionality contains complex dependencies and it is difficult to construct a viable test case using real-world objects.
Frameworks
Manual unit testing involves a lot of routines: writing stub test code, implementing main()
, printing output messages, and so on. Unit testing frameworks not only help automate these operations, but also let you benefit from the following:
Manageable assertion behavior
With a framework, you can specify whether or not a failure of a single check should cancel the whole test execution: along with the regular
ASSERT
, frameworks provideEXPECT/CHECK
macros that don't interrupt your test program on failure.Various checkers
Checkers are macros for comparing the expected and the actual result. Checkers provided by testing frameworks often have configurable severity (warning, regular expectation, or a requirement). Also, they can include tolerances for floating point comparisons and even pre-implemented exception handlers that check raising of an exception under certain conditions.
Tests organization
With frameworks, it's easy to create and run subsets of tests grouped by common functionality (suites) or shared data (fixtures). Also, modern frameworks automatically register new tests, so you don't need to do that manually.
Customizable messages
Frameworks take care of the tests output: they can show verbose descriptive outputs, as well as user-defined messages or only briefed pass/fail results (the latter is especially handy for regression testing).
XML reports
Most of the testing frameworks provide exporting results in XML format. This is useful when you need to further pass the results to a continuous integration system such as TeamCity or Jenkins.
There are many unit testing frameworks for C++. Further on, we will focus on some of the most popular: Google Test, Boost.Test, Catch2, and Doctest. All four are integrated in CLion, but before we dive into the integration details, let's briefly cover the essential points of each framework.
Google Test
Google Test and Google Mock are a pair of powerful unit testing tools: the framework is portable, it includes a rich set of fatal and non-fatal assertions, provides instruments for creating fixtures and test groups, gives informative messages, and exports the results in XML. Probably the only drawback is a need to build gtest/gmock in your project in order to use it.
Assertions
In Google Test, the statements that check whether a condition is true are referred to as assertions. Non-fatal assertions have the EXPECT_
prefix in their names, and assertions that cause fatal failure and abort the execution are named starting with ASSERT_
. For example:
Some of the asserts available in Google Test are listed below (in this table, ASSERT_
is given as an example and can be switched with EXPECT_
):
Logical |
|
General comparison |
|
Float point comparison |
|
String comparison |
|
Exception checking |
|
Also, Google Test supports predicate assertions which help make output messages more informative. For example, instead of EXPECT_EQ(a, b)
you can use a predicate function that checks a
and b
for equivalency and returns a boolean result. In case of failure, the assertion will print values of the function arguments:
Predicate assertion example bool IsEq(int a, int b){
if (a==b) return true;
else return false;
}
TEST(BasicChecks, TestEq) {
int a = 0;
int b = 1;
EXPECT_EQ(a, b);
EXPECT_PRED2(IsEq, a, b);
} | Output Failure
Value of: b
Actual: 1
Expected: a
Which is: 0
Failure
IsEq(a, b) evaluates to false, where
a evaluates to 0
b evaluates to 1 |
In EXPECT_PRED2
above, predN is a predicate function with N arguments. Google Test currently supports predicate assertions of arity up to 5.
Fixtures
Google tests that share common objects or subroutines can be grouped into fixtures. Here is how a generalized fixture looks like:
When used for a fixture, a TEST()
macro should be replaced with TEST_F()
to allow the test to access the fixture's members and functions:
Setting up
There are several options you can choose from when adding Google Test into a CMake project:
Download the sources and copy them into the project structure.
This is probably the quickest way to start working with the framework, but there will be no automatic synchronization with the Google Test repository, so you will have to take care of keeping the sources up to date.
You can find an example of using this approach in the sample project below.
If you are working with git, you can add gtest as a git submodule for your project.
Another option is to use CMake to download gtest as part of the build's configuration step.
To learn more about Google Test, explore the samples in the framework's repository. Also, take a look at Advanced options for details of other noticeable Google Test features such as value-parametrized tests and type-parameterized tests.
Boost.Test
Boost unit testing framework (Boost.Test) is a part of the Boost library. It is a fully-functional and scalable framework, with wide range of assertion macros, XML output, and other features. Boost.Test itself lacks mocking functionality, but it can be combined with stand-alone mocking frameworks such as gmock.
Checkers
For most of the Boost.Test checkers, you can set a severity level:
WARN produces a warning message if the check failed, but the error counter isn't increased and the test case continues.
CHECK reports an error and increases the error counter when the check is failed, but the test case continues.
REQUIRE is used for reporting fatal errors, when the execution of the test case should be aborted (for example, to check whether an object that will be used later was created successfully).
This way, a Boost checker is usually a macro of the BOOST_[level]_[checkname]
format that takes one or several arguments. Basic macros are BOOST_WARN
, BOOST_CHECK
, and BOOST_REQUIRE
. They take one argument of an expression to check, for example:
A few examples of other checkers are given below:
General comparison |
In case of failure, these macros not only give the test failed message, but also show the expected and the actual value: int i = 2;
int j = 1;
BOOST_CHECK( i == j ); // reports the fact of failure only: "check i == j failed"
BOOST_CHECK_EQUAL( i, j ); // reports "check i == j failed [2 != 1]" |
Float point comparison |
|
Exception checking |
|
Suites
You can organize Boost tests into suites using the pair of BOOST_AUTO_TEST_SUITE(suite_name)
and BOOST_AUTO_TEST_SUITE_END()
macros. A simple test suite looks like this:
Fixtures
To write a fixture with Boost, you can use either a regular BOOST_AUTO_TEST_CASE macro written after a fixture class declaration or a special BOOST_FIXTURE_TEST_CASE
macro:
Setting up
You can choose between three usage variants for the framework: header-only, static library, or shared library. When picking the most suitable option, keep in mind that Boost.Test used as header-only might require significant compilation time.
Find an example of the shared library usage variant in the sample project below (switch to the Boost.Test tab).
Catch2
Catch2 is a light-weight testing framework. The name stands for C++ Automated Test Cases in Headers (version two). CLion supports Catch versions 1.7.2 and later.
As well as Boost.Test, Catch2 doesn't provide mocking functionality. However, you can combine it with standalone mocking frameworks such as Hippomocks, FakeIt, or Trompeloeil.
Sample test
The following example shows a simple test written with Catch2:
In the above example, Life, the universe and everything
is a free-form test name, which must be unique. The second argument of the TEST_CASE
macro is a combination of two tags, [42]
and [theAnswer]
. Both test name and tags are regular strings that are not limited to be valid C++ identifiers. You can run collections of tests by specifying a wildcarded test name or a tag expression.
Notice the assertion line REQUIRE(theAnswer() == 42)
. Unlike other frameworks, Catch2 doesn't have a collection of asserts to capture various conditional forms. Instead, it parses the actual C/C++ code of the conditional expression and also uses it to describe the result:
The REQUIRE
macro aborts a test on failure, while the alternative CHECK
macro only reports the failure and lets the test carry on. Within both of these macros, you can use all C++ comparison operators and pass the arguments in any order.
Sections
Another important feature of Catch2 is the way to organize tests in cases and sections (while the class-based fixture mechanism is also supported). Take a look at this example from the documentation:
In the above snippet, TEST_CASE
is executed from the start for each SECTION
. Two REQUIRE
statements at the top of the TEST_CASE
enforce that size
is 5 and capacity
is at least 5 at the entry of each section. This way, shared objects are allocated on stack and there is no need to create a fixture class for them. On each run through a TEST_CASE
, Catch2 executes one section and skips the others. Next time, it executes the second section, and so on.
Sections can be nested to create a sequence of checking operations. Each leaf section (a section with no nested sections inside) is executed once. When a parent section fails, it prevents child sections from running. For example:
Catch2 also supports the alternative BDD-style syntax for test cases and sections.
Template tests
Catch2 supports type-parametrized test cases in the form of the following macros:
TEMPLATE_TEST_CASE( test name , tags, type1, type2, ..., typen )
TEMPLATE_PRODUCT_TEST_CASE( test name , tags, (template-type1, template-type2, ..., template-typen), (template-arg1, template-arg2, ..., template-argm) )
TEMPLATE_LIST_TEST_CASE( test name, tags, type list )
These macros behave in the same way as regular TEST_CASE
, but are run for every type or type combination. See Type-parametrized test cases for details.
In addition to type-parametrized test cases, Catch2 also provides TEMPLATE_TEST_CASE_SIG
and TEMPLATE_PRODUCT_TEST_CASE_SIG
for creating signature-based parametrized test cases, which have similar syntax with the additional signature argument:
For more information, refer to Signature-based parametrized test cases.
Setting up
Refer to this guide for instructions.
Doctest
Doctest is a single-header framework with self-registering tests. As stated in its documentation, Doctest was designed after Catch and shares some parts of the Catch's code - see How is doctest different from Catch.
Doctest doesn't support mocking but you can integrate it with third-party mocking libraries such as trompeloeil, googlemock, or FakeIt.
Sample test
A simple test written with Doctest looks like this:
In the example above, testing the factorial function is a free-form test name, which doesn't have to be unique. CHECK
is one of the Doctest's assertion macros.
Test cases, subtests, and suites
Doctest provides the mechanism of subcases for creating nested tests with shared common setup and teardown (however, class-based fixtures are also supported).
In the code above, TEST_CASE()
is executed from the start for each SUBCASE()
. Two REQUIRE
statements guarantee that size
is 5 and capacity
is at least 5 at the entry of each subcase. If one of the CHECK()
-s fails, this means the test has failed, but the execution continues. On each run of a TEST_CASE()
, Doctest executes one subcase and skips the others. Next time, the second one is executed, and so on.
Similarly to Catch's sections, subcases can be nested to create sequences of checking operations. Each leaf subcase (a subcase with no nested subcases inside) is executed once. When a parent subcase fails, it prevents child subcases from running.
You can group test cases into suites using the TEST_SUITE()
or TEST_SUITE_BEGIN()
/ TEST_SUITE_END()
macros:
Doctest also supports the BDD-style syntax.
Setting up
To start using Doctest, download the latest version of doctest.h and copy it into your project tree. See an example in the sample project below (switch to the Doctest tab).
Unit testing in CLion
CLion's integration of Google Test, Boost.Test, Catch2, and Doctest includes full code insight for framework libraries, dedicated run/debug configurations, gutter icons to run or debug tests/suites/fixtures and check their status, a specialized test runner, and also code generation for tests and fixture classes (available for Google Tests).
Setting up a testing framework for your project
In this chapter, we will discuss how to add the Google Test, Boost.Test, Catch2, and Doctest framework to a project in CLion and how to write a simple set of tests.
As an example, we will use the DateConverter project that you can clone from github repo. This program calculates the absolute value of a date given in the Gregorian calendar format and converts it into a Julian calendar date. Initially, the project doesn't include any tests - we will add them step by step. To see the difference between the frameworks, we will use all four to perform the same tests.
You can find the final version of the project in the DateConverter_withTests repository. Here is how the project structure will be transformed:
For each framework, we will do the following:
Add the framework to the DateConverter project.
Create two test files, AbsoluteDateTest.cpp and ConverterTests.cpp. These files will be named similarly for each framework, and they will contain test code written using the syntax of a particular framework.
Now let's open the cloned DateConverter project and follow the instructions given in the tabs below:
Include the Google Test framework
Create a folder for Google Tests under the DateConverter project root. Inside it, create another folder for the framework's files. In our example, it's Google_tests and Google_tests/lib folders respectfully.
Download Google Test from the official repository. Extract the contents of the googletest-main folder into Google_tests/lib.
Add a CMakeLists.txt file to the Google_tests folder (right-click it in the project tree and select ). Add the following lines:
project(Google_tests) add_subdirectory(lib) include_directories(${gtest_SOURCE_DIR}/include ${gtest_SOURCE_DIR})In the root CMakeLists.txt script, add the
add_subdirectory(Google_tests)
line at the end and reload the project.
Add Google tests
Click Google_tests folder in the project tree and select , call it AbsoluteDateTest.cpp.
CLion prompts to add this file to an existing target. We don't need to do that, since we are going to create a new target for this file on the next step.
Repeat this step for ConverterTests.cpp.
With two source files added, we can create a test target for them and link it with the
DateConverter_lib
library.Add the following lines to Google_tests/CMakeLists.txt:
# adding the Google_Tests_run target add_executable(Google_Tests_run ConverterTests.cpp AbsoluteDateTest.cpp) # linking Google_Tests_run with DateConverter_lib which will be tested target_link_libraries(Google_Tests_run DateConverter_lib) target_link_libraries(Google_Tests_run gtest gtest_main)Copy the Google Test version of our checks from AbsoluteDateTest.cpp and ConverterTests.cpp to your AbsoluteDateTest.cpp and ConverterTests.cpp files.
Now the tests are ready to run. For example, let's click in the left gutter next to the
DateConverterFixture
declaration in ConverterTests.cpp and choose Run.... We will get the following results:
Include the Boost.Test framework
Install and build Boost Testing Framework following these instructions (further in the tests we will use the shared library usage variant to link the framework).
Create a folder for Boost tests under the DateConverter project root. In our example, it's called Boost_tests.
Add a CMakeLists.txt file to the Boost_tests folder (right-click it in the project tree and select ). Add the following lines:
set (Boost_USE_STATIC_LIBS OFF) find_package (Boost REQUIRED COMPONENTS unit_test_framework) include_directories (${Boost_INCLUDE_DIRS})In the root CMakeLists.txt script, add the
add_subdirectory(Boost_tests)
line at the end and reload the project.
Add Boost tests
Click Boost_tests in the project tree and select , call it AbsoluteDateTest.cpp.
CLion will prompt to add this file to an existing target. We don't need to do that, since we are going to create a new target for this file on the next step.
Repeat this step for ConverterTests.cpp.
With two source files added, we can create a test target for them and link it with the
DateConverter_lib
library. Add the following lines to Boost_tests/CMakeLists.txt:add_executable (Boost_Tests_run ConverterTests.cpp AbsoluteDateTest.cpp) target_link_libraries (Boost_Tests_run ${Boost_LIBRARIES}) target_link_libraries (Boost_Tests_run DateConverter_lib)Reload the project.
Copy the Boost.Test version of our checks from AbsoluteDateTest.cpp and ConverterTests.cpp to the corresponding source files in your project.
Now the tests are ready to run. For example, let's click in the left gutter next to
BOOST_AUTO_TEST_SUITE(AbsoluteDateCheckSuite)
in AbsoluteDateTest.cpp and choose Run.... We will get the following results:
Include the Catch2 framework
Install Catch2 on system following the official instruction.
Create a folder for Catch2 tests under the DateConverter project root. In our example, it's called Catch_tests.
Create a CMakeLists.txt file in the Catch_tests folder (right-click the folder in the project tree and select ).
Add the following stub code:
find_package(Catch2 3 REQUIRED) add_executable(Catch_tests_run ) target_link_libraries(Catch_tests_run PRIVATE DateConverter_lib) target_link_libraries(Catch_tests_run PRIVATE Catch2::Catch2WithMain) include(Catch) catch_discover_tests(Catch_tests_run)
Add Catch2 tests
Click Catch_tests in the project tree and select , call it AbsoluteDateTest.cpp.
Add the file to the
Catch_tests_run
target:Repeat step 1 for ConverterTests.cpp.
As the result, the
add_executable
will be modified intoadd_executable(Catch_tests_run AbsoluteDateTest.cpp ConverterTests.cpp)Copy the code from AbsoluteDateTest.cpp and ConverterTests.cpp to the corresponding source files.
Notice that tests are preceded with
#include <catch2/catch_test_macros.hpp>In the root CMakeLists.txt, add the following command in the end and reload the project:
add_subdirectory(Catch_tests)Now the tests are ready to run.
For example, click in the gutter next to
TEST_CASE( "Check various dates", "[DateConverterTests]" )
in ConverterTests.cpp and choose Run..., and you will get the following test results:
Include the Doctest framework
Create a folder for Doctest tests under the DateConverter project root. In our example, it's called Doctest_tests.
Download the doctest.h header and place it in the Doctest_tests folder.
Add Doctest tests
Click Doctest_tests in the project tree and select , call it AbsoluteDateTest.cpp.
CLion will prompt to add this file to an existing target. We don't need to do that, since we are going to create a new target for this file on the next step.
Repeat this step for ConverterTests.cpp.
Add a CMakeLists.txt file to the Doctest_tests folder (right-click the folder in the project tree and select ). Add the following lines:
add_executable(Doctest_tests_run ConverterTests.cpp AbsoluteDateTest.cpp) target_link_libraries(Doctest_tests_run DateConverter_lib)In the root CMakeLists.txt, add
add_subdirectory(Doctest_tests)
in the end and reload the project.Copy the Doctest version of our checks from AbsoluteDateTest.cpp and ConverterTests.cpp to the corresponding source files in your project.
Now the tests are ready to run. For example, lets' click in the left gutter next to
TEST_CASE("Check various dates")
in ConverterTests.cpp and choose Run.... We will get the following results:
Run/Debug configurations for tests
Test frameworks provide the main()
entry for test programs, so it is possible to run them as regular applications in CLion. However, we recommend using the dedicated run/debug configurations for Google Test, Boost.Test, Catch2, and Doctest. These configurations include test-related settings and let you benefit from the built-in test runner (which is unavailable if you run the tests as regular applications).
Create a run/debug configuration for tests
Go to Run | Edit Configurations, click and select one of the framework-specific templates:
Set up your configuration
Depending on the framework, specify test pattern, suite, or tags (for Catch2). Auto-completion is available in the fields to help you quickly fill them up:
You can use wildcards when specifying test patterns. For example, set the following pattern to run only the
PlusOneDiff
andPlusFour_Leap
tests from the sample project:In other fields of the configuration settings, you can set environment variables or command line options. For example, in the Program arguments field you can set
-s
for Catch2 tests to force passing tests to show the full output, or--gtest_repeat
to run a Google test multiple times:The output will look as follows:
Repeating all tests (iteration 1) ... Repeating all tests (iteration 2) ... Repeating all tests (iteration 3) ...
Gutter icons for tests
In CLion, there are several ways to start a run/debug session for tests, one of which is using special gutter icons. These icons help quickly run or debug a single test or a whole suite/fixture:
Gutter icons also show test results (when already available): success or failure .
When you run a test/suite/fixture using gutter icons, CLion creates temporary Run/Debug configurations of the corresponding type. You can see these configurations greyed out in the list. To save a temporary configuration, select it in the dialog and press :
Test runner
When you run a test configuration, the results (and the process) are shown in the test runner window that includes:
progress bar with the percentage of tests executed so far,
tree view of all the running tests with their status and duration,
tests' output stream,
toolbar with the options to rerun failed tests, export or open previous results saved automatically , sort the tests alphabetically to easily find a particular test, or sort them by duration to understand which test ran longer than others.
For example, here is how the test runner window looks like if we intentionally break some of the Catch2 tests in the sample project:
Code generation for Google tests
If you are using Google Test framework, CLion's Generate menu can help you save time on writing test code. In a test file where you have gtest
included, press Alt+Insert to see the code generation options.
When called from a fixture, the menu additionally includes SetUp Method and TearDown Method:
For fixture tests, code generation convertsTEST()
macros into the appropriate TEST_F()
,TEST_P()
, TYPED_TEST()
, or TYPED_TEST_P()
(see Typed Tests). Other features
Quick Documentation for test macros
To help you explore the macros provided by testing frameworks, Quick Documentation pop-up shows the final macro replacement and formats it properly. It also highlights the strings and keywords used in the result substitution:
Show Test List
To reduce the time of initial indexing, CLion uses lazy test detection. It means that tests are excluded from indexing until you open some of the test files or run/debug test configurations. To check which tests are currently detected for your project, call Show Test List from . Note that calling this action doesn't trigger indexing.