Criterion

Introduction

Criterion is a dead-simple, non-intrusive unit testing framework for C and C++.

Philosophy

Most test frameworks for C require a lot of boilerplate code to set up tests and test suites – you need to create a main, then register new test suites, then register the tests within these suits, and finally call the right functions.

This gives the user great control, at the unfortunate cost of simplicity.

Criterion follows the KISS principle, while keeping the control the user would have with other frameworks.

Features

  • C99 and C++11 compatible.
  • Tests are automatically registered when declared.
  • Implements a xUnit framework structure.
  • A default entry point is provided, no need to declare a main unless you want to do special handling.
  • Test are isolated in their own process, crashes and signals can be reported and tested.
  • Unified interface between C and C++: include the criterion header and it just works.
  • Supports parameterized tests and theories.
  • Progress and statistics can be followed in real time with report hooks.
  • TAP output format can be enabled with an option.
  • Runs on Linux, FreeBSD, Mac OS X, and Windows (Compiling with MinGW GCC and Visual Studio 2015+).

Setup

Prerequisites

The library is supported on Linux, OS X, FreeBSD, and Windows.

The following compilers are supported to compile both the library and the tests:

  • GCC 4.9+ (Can be relaxed to GCC 4.6+ when not using C++)
  • Clang 3.4+
  • MSVC 14+ (Included in Visual Studio 2015 or later)

Building from source

$ mkdir build
$ cd build
$ cmake ..
$ cmake --build .

Installing the library and language files (Linux, OS X, FreeBSD)

From the build directory created above, run with an elevated shell:

$ make install

Usage

To compile your tests with Criterion, you need to make sure to:

  1. Add the include directory to the header search path
  2. Install the library to your library search path
  3. Link Criterion to your executable.

This should be all you need.

Getting started

Adding tests

Adding tests is done using the Test macro:

Test(Suite, Name, ...)

Defines a new test.

Parameters
  • Suite: The name of the test suite containing this test.
  • Name: The name of the test.
  • ...: An optional sequence of designated initializer key/value pairs as described in the criterion_test_extra_data structure (see criterion/types.h).

    Example: .exit_code = 1

Example:

#include <criterion/criterion.h>

Test(suite_name, test_name) {
    // test contents
}

suite_name and test_name are the identifiers of the test suite and the test, respectively. These identifiers must follow the language identifier format.

Tests are automatically sorted by suite, then by name using the alphabetical order.

Asserting things

Assertions come in two kinds:

  • cr_assert* are assertions that are fatal to the current test if failed; in other words, if the condition evaluates to false, the test is marked as a failure and the execution of the function is aborted.
  • cr_expect* are, in the other hand, assertions that are not fatal to the test. Execution will continue even if the condition evaluates to false, but the test will be marked as a failure.

cr_assert() and cr_expect() are the most simple kinds of assertions criterion has to offer. They both take a mandatory condition as a first parameter, and an optional failure message:

#include <string.h>
#include <criterion/criterion.h>

Test(sample, test) {
    cr_expect(strlen("Test") == 4, "Expected \"Test\" to have a length of 4.");
    cr_expect(strlen("Hello") == 4, "This will always fail, why did I add this?");
    cr_assert(strlen("") == 0);
}

On top of those, more assertions are available for common operations. See Assertion reference for a complete list.

Configuring tests

Tests may receive optional configuration parameters to alter their behaviour or provide additional metadata.

Fixtures

Tests that need some setup and teardown can register functions that will run before and after the test function:

#include <stdio.h>
#include <criterion/criterion.h>

void setup(void) {
    puts("Runs before the test");
}

void teardown(void) {
    puts("Runs after the test");
}

Test(suite_name, test_name, .init = setup, .fini = teardown) {
    // test contents
}

If a setup crashes, you will get a warning message, and the test will be aborted and marked as a failure. Is a teardown crashes, you will get a warning message, and the test will keep its result.

Testing signals

If a test receives a signal, it will by default be marked as a failure. You can, however, expect a test to only pass if a special kind of signal is received:

#include <stddef.h>
#include <signal.h>
#include <criterion/criterion.h>

// This test will fail
Test(sample, failing) {
    int *ptr = NULL;
    *ptr = 42;
}

// This test will pass
Test(sample, passing, .signal = SIGSEGV) {
    int *ptr = NULL;
    *ptr = 42;
}

This feature will also work (to some extent) on Windows for the following signals on some exceptions:

Signal Triggered by
SIGSEGV STATUS_ACCESS_VIOLATION, STATUS_DATATYPE_MISALIGNMENT, STATUS_ARRAY_BOUNDS_EXCEEDED, STATUS_GUARD_PAGE_VIOLATION, STATUS_IN_PAGE_ERROR, STATUS_NO_MEMORY, STATUS_INVALID_DISPOSITION, STATUS_STACK_OVERFLOW
SIGILL STATUS_ILLEGAL_INSTRUCTION, STATUS_PRIVILEGED_INSTRUCTION, STATUS_NONCONTINUABLE_EXCEPTION
SIGINT STATUS_CONTROL_C_EXIT
SIGFPE STATUS_FLOAT_DENORMAL_OPERAND, STATUS_FLOAT_DIVIDE_BY_ZERO, STATUS_FLOAT_INEXACT_RESULT, STATUS_FLOAT_INVALID_OPERATION, STATUS_FLOAT_OVERFLOW, STATUS_FLOAT_STACK_CHECK, STATUS_FLOAT_UNDERFLOW, STATUS_INTEGER_DIVIDE_BY_ZERO, STATUS_INTEGER_OVERFLOW
SIGALRM STATUS_TIMEOUT

See the windows exception reference for more details on each exception.

Configuration reference

Here is an exhaustive list of all possible configuration parameters you can pass:

struct criterion_test_extra_data

Contains all the options that can be set for a test, through the Test and TestSuite macros, or other means.

Public Members

void (*init)(void)

The setup test fixture.

This function, if provided, will be executed during the initialization of the test.

void (*fini)(void)

The teardown test fixture.

This function, if provided, will be executed during the finalization of the test.

int signal

The expected signal to be raised by the test.

If the test does not raise the specified signal, then the test is marked as failed.

A value of 0 means that is it not expected for the test to raise any signal.

int exit_code

The expected exit status to be returned by the test.

By default, criterion exits the test process with a value of 0. If it is expected for the test to exit with a non-zero status, this option can be used.

bool disabled

If true, skips the test.

The test will still appear in the test list, but will be marked as skipped and will not be executed.

const char *description

The long description of a test.

If a description is provided, it will be printed in test reports, and logged if the runner runs in verbose mode.

double timeout

The timeout for the test, in seconds.

If the realtime execution of a test takes longer than the specified value, then the test is immediately aborted and reported as timing out.

A value of 0 is equivalent to +INFINITY and means that the test does not timeout.

It is unspecified behaviour for the value of timeout to be negative or NaN.

void *data

Extra user data.

This field is currently unused.

Setting up suite-wise configuration

Tests under the same suite can have a suite-wise configuration – this is done using the TestSuite macro:

TestSuite(Name, ...)

Explicitely defines a test suite and its options.

Parameters
  • Name: The name of the test suite.
  • ...: An optional sequence of designated initializer key/value pairs as described in the criterion_test_extra_data structure (see criterion/types.h). These options will provide the defaults for each test.

Example:

#include <criterion/criterion.h>

TestSuite(suite_name, [params...]);

Test(suite_name, test_1) {
}

Test(suite_name, test_2) {
}

Configuration parameters are the same as above, but applied to the suite itself.

Suite fixtures are run along with test fixtures.

Assertion reference

This is an exhaustive list of all assertion macros that Criterion provides.

As each assert macros have an expect counterpart with the exact same number of parameters and name suffix, there is no benefit in adding expect macros to this list. Hence only assert macros are represented here.

All assert macros may take an optional printf format string and parameters.

Base Assertions

group BaseAsserts

Defines

cr_assert_fail(FormatString, ...)

Fails always.

The test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_skip_test(FormatString, ...)

Skips the test.

The test is marked as skipped and the execution of the function is aborted.

cr_expect_fail(FormatString, ...)

Fails always.

The test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert(Condition, FormatString, ...)

Passes if Condition is true.

Evaluates the condition and passes if it is true. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Condition: Condition to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect(Condition, FormatString, ...)

Passes if Condition is true.

Evaluates the condition and passes if it is true. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Condition: Condition to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_not(Condition, FormatString, ...)

Passes if Condition is false.

Evaluates the condition and passes if it is false. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Condition: Condition to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_not(Condition, FormatString, ...)

Passes if Condition is false.

Evaluates the condition and passes if it is false. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Condition: Condition to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

Common Assertions

group CommonBinAsserts

Defines

cr_assert_eq(Actual, Expected, FormatString, ...)

Passes if Actual is equal to Expected.

Passes if Actual is equal to Expected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Expected: Expected value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_eq(Actual, Expected, FormatString, ...)

Passes if Actual is equal to Expected.

Passes if Actual is equal to Expected. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Expected: Expected value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_neq(Actual, Unexpected, FormatString, ...)

Passes if Actual is not equal to Unexpected.

Passes if Actual is not equal to Unexpected Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Unexpected: Unexpected Value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_neq(Actual, Unexpected, FormatString, ...)

Passes if Actual is not equal to Unexpected.

Passes if Actual is not equal to Unexpected. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Unexpected: Unexpected Value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_lt(Actual, Reference, FormatString, ...)

Passes if Actual is less than Reference.

Passes if Actual is less than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_lt(Actual, Reference, FormatString, ...)

Passes if Actual is less than Reference.

Passes if Actual is less than Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_leq(Actual, Reference, FormatString, ...)

Passes if Actual is less or equal to Reference.

Passes if Actual is less or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_leq(Actual, Reference, FormatString, ...)

Passes if Actual is less or equal to Reference.

Passes if Actual is less or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_gt(Actual, Reference, FormatString, ...)

Passes if Actual is greater than Reference.

Passes if Actual is greater than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_gt(Actual, Reference, FormatString, ...)

Passes if Actual is greater than Reference.

Passes if Actual is greater than Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_geq(Actual, Reference, FormatString, ...)

Passes if Actual is greater or equal to Reference.

Passes if Actual is greater or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_geq(Actual, Reference, FormatString, ...)

Passes if Actual is greater or equal to Reference.

Passes if Actual is greater or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Compatible with C++ operator overloading.
Parameters
  • Actual: Value to test
  • Reference: Reference value
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

group CommonUnaryAsserts

Defines

cr_assert_null(Value, FormatString, ...)

Passes if Value is NULL.

Passes if Value is NULL. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: Value to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_null(Value, FormatString, ...)

Passes if Value is NULL.

Passes if Value is NULL. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: Value to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_not_null(Value, FormatString, ...)

Passes if Value is not NULL.

Passes if Value is not NULL. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Value: Value to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_not_null(Value, FormatString, ...)

Passes if Value is not NULL.

Passes if Value is not NULL. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Value: Value to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

group FloatAsserts

Defines

cr_assert_float_eq(Actual, Expected, Epsilon, FormatString, ...)

Passes if Actual is equal to Expected with a tolerance of Epsilon.

Passes if Actual is equal to Expected with a tolerance of Epsilon. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Use this to test equality between floats
Parameters
  • Actual: Value to test
  • Expected: Expected value
  • Epsilon: Tolerance between Actual and Expected
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_float_eq(Actual, Expected, Epsilon, FormatString, ...)

Passes if Actual is equal to Expected with a tolerance of Epsilon.

Passes if Actual is equal to Expected with a tolerance of Epsilon. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Use this to test equality between floats
Parameters
  • Actual: Value to test
  • Expected: Expected value
  • Epsilon: Tolerance between Actual and Expected
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_float_neq(Actual, Unexpected, Epsilon, FormatString, ...)

Passes if Actual is not equal to Unexpected with a tolerance of Epsilon.

Passes if Actual is not equal to Unexpected with a tolerance of Epsilon. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Use this to test inequality between floats
Parameters
  • Actual: Value to test
  • Unexpected: Unexpected value
  • Epsilon: Tolerance between Actual and Expected
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_float_neq(Actual, Unexpected, Epsilon, FormatString, ...)

Passes if Actual is not equal to Unexpected with a tolerance of Epsilon.

Passes if Actual is not equal to Unexpected with a tolerance of Epsilon. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Use this to test inequality between floats
Parameters
  • Actual: Value to test
  • Unexpected: Unexpected value
  • Epsilon: Tolerance between Actual and Expected
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

String Assertions

group StringAsserts

Note
These macros are meant to deal with native strings, i.e. char arrays. Most of them won’t work on std::string in C++, with some exceptions for std::string, you should use regular comparison assersions.

Defines

cr_assert_str_empty(Value, FormatString, ...)

Passes if Value is an empty string.

Passes if Value is an empty string. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Also works on std::string.
Parameters
  • Value: String to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_empty(Value, FormatString, ...)

Passes if Value is an empty string.

Passes if Value is an empty string. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Also works on std::string.
Parameters
  • Value: String to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_not_empty(Value, FormatString, ...)

Passes if Value is not an empty string.

Passes if Value is not an empty string. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
Also works on std::string.
Parameters
  • Value: String to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_not_empty(Value, FormatString, ...)

Passes if Value is not an empty string.

Passes if Value is not an empty string. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
Also works on std::string.
Parameters
  • Value: String to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_eq(Actual, Expected, FormatString, ...)

Passes if Actual is lexicographically equal to Expected.

Passes if Actual is lexicographically equal to Expected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Expected: Expected String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_eq(Actual, Expected, FormatString, ...)

Passes if Actual is lexicographically equal to Expected.

Passes if Actual is lexicographically equal to Expected. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Expected: Expected String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_neq(Actual, Unexpected, FormatString, ...)

Passes if Actual is not lexicographically equal to Unexpected.

Passes if Actual is not lexicographically equal to Unexpected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Unexpected: Unexpected String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_neq(Actual, Unexpected, FormatString, ...)

Passes if Actual is not lexicographically equal to Unexpected.

Passes if Actual is not lexicographically equal to Unexpected. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Unexpected: Unexpected String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_lt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less than Reference.

Passes if Actual is lexicographically less than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_lt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less than Reference.

Passes if Actual is lexicographically less than Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_leq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less or equal to Reference.

Passes if Actual is lexicographically less or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_leq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less or equal to Reference.

Passes if Actual is lexicographically less or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_gt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater than Reference.

Passes if Actual is lexicographically greater than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_gt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater than Reference.

Passes if Actual is lexicographically greater than Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_str_geq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater or equal to Reference.

Passes if Actual is lexicographically greater or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_str_geq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater or equal to Reference.

Passes if Actual is lexicographically greater or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • Actual: String to test
  • Reference: Reference String
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

Wide String Assertions

group WideStringAsserts

Note
These macros are meant to deal with native wide character strings, i.e. wchar_t arrays. Most of them won’t work on std::wstring in C++, with some exceptions for std::wstring, you should use regular comparison assertions.

Defines

cr_assert_wcs_empty(Value, FormatString, ...)

Passes if Value is an empty wide string.

Passes if Value is an empty wide string. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Note
Also works on std::wstring.
Parameters
  • Value: Wide string to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_empty(Value, FormatString, ...)

Passes if Value is an empty wide string.

Passes if Value is an empty wide string. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Note
Also works on std::wstring.
Parameters
  • Value: Wide string to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_not_empty(Value, FormatString, ...)

Passes if Value is not an empty wide string.

Passes if Value is not an empty wide string. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Note
Also works on std::string.
Parameters
  • Value: Wide string to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_not_empty(Value, FormatString, ...)

Passes if Value is not an empty wide string.

Passes if Value is not an empty wide string. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Note
Also works on std::string.
Parameters
  • Value: Wide string to test
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_eq(Actual, Expected, FormatString, ...)

Passes if Actual is lexicographically equal to Expected.

Passes if Actual is lexicographically equal to Expected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Expected: Expected wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_eq(Actual, Expected, FormatString, ...)

Passes if Actual is lexicographically equal to Expected.

Passes if Actual is lexicographically equal to Expected. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Expected: Expected wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_neq(Actual, Unexpected, FormatString, ...)

Passes if Actual is not lexicographically equal to Unexpected.

Passes if Actual is not lexicographically equal to Unexpected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Unexpected: Unexpected wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_neq(Actual, Unexpected, FormatString, ...)

Passes if Actual is not lexicographically equal to Unexpected.

Passes if Actual is not lexicographically equal to Unexpected. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Unexpected: Unexpected wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_lt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less than Reference.

Passes if Actual is lexicographically less than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_lt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less than Reference.

Passes if Actual is lexicographically less than Reference. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_leq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less or equal to Reference.

Passes if Actual is lexicographically less or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_leq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically less or equal to Reference.

Passes if Actual is lexicographically less or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_gt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater than Reference.

Passes if Actual is lexicographically greater than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_gt(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater than Reference.

Passes if Actual is lexicographically greater than Reference. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_wcs_geq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater or equal to Reference.

Passes if Actual is lexicographically greater or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_wcs_geq(Actual, Reference, FormatString, ...)

Passes if Actual is lexicographically greater or equal to Reference.

Passes if Actual is lexicographically greater or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The optional (non-wide) string is printed on failure.

Parameters
  • Actual: Wide string to test
  • Reference: Reference wide string
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

Array Assertions

group ArrayAsserts

Defines

cr_assert_arr_eq(Actual, Expected, FormatString, ...)

Passes if Actual is byte-to-byte equal to Expected.

Passes if Actual is byte-to-byte equal to Expected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Warning
This should not be used on struct arrays, consider using cr_assert_arr_eq_cmp() instead.
Parameters
  • Actual: Array to test
  • Expected: Expected array
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_eq(Actual, Expected, FormatString, ...)

Passes if Actual is byte-to-byte equal to Expected.

Passes if Actual is byte-to-byte equal to Expected. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Warning
This should not be used on struct arrays, consider using cr_expect_arr_eq_cmp() instead.
Parameters
  • Actual: Array to test
  • Expected: Expected array
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_arr_neq(Actual, Unexpected, Size, FormatString, ...)

Passes if Actual is not byte-to-byte equal to Expected.

Passes if Actual is not byte-to-byte equal to Unexpected. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Warning
This should not be used on struct arrays, consider using cr_assert_arr_neq_cmp() instead.
Parameters
  • Actual: Array to test
  • Unexpected: Unexpected array
  • Size: Number of bytes to check
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_neq(Actual, Unexpected, Size, FormatString, ...)

Passes if Actual is not byte-to-byte equal to Unexpected.

Passes if Actual is not byte-to-byte equal to Expected. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Warning
This should not be used on struct arrays, consider using cr_expect_arr_neq_cmp() instead.
Parameters
  • Actual: Array to test
  • Unexpected: Unexpected array
  • Size: Number of bytes to check
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

group SafeArrCmpAsserts

C++ / GNU C only!

These macros are only available on C++ compilers.

Defines

cr_assert_arr_eq_cmp(Actual, Expected, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively equal to Expected (C++ / GNU C99 only)

Passes if Actual is comparatively equal to Expected. Otherwise the test is marked as failure and the execution of the function is aborted.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Expected: Expected array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_eq_cmp(Actual, Expected, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively equal to Expected (C++ / GNU C99 only)

Passes if Actual is comparatively equal to Expected. Otherwise the test is marked as failure but the execution will continue.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Expected: Expected array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_arr_neq_cmp(Actual, Unexpected, Size, Cmp, FormatString, ...)

Passes if Actual is not comparatively equal to Unexpected (C++ / GNU C99 only)

Passes if Actual is not comparatively equal to Unexpected. Otherwise the test is marked as failure and the execution of the function is aborted.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Unexpected: Unexpected array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_neq_cmp(Actual, Unexpected, Size, Cmp, FormatString, ...)

Passes if Actual is not comparatively equal to Unexpected (C++ / GNU C99 only)

Passes if Actual is not comparatively equal to Unexpected. Otherwise the test is marked as failure but the execution will continue.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Unexpected: Unexpected array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_arr_lt_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively less than Reference (C++ / GNU C99 only)

Passes if Actual is comparatively less than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_lt_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively less than Reference (C++ / GNU C99 only)

Passes if Actual is comparatively less than Reference. Otherwise the test is marked as failure but the execution will continue.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_arr_leq_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively less or equal to Reference (C++ / GNU C99 only)

Passes if Actual is comparatively less or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_leq_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively less or equal to Reference (C++ / GNU C99 only)

Passes if Actual is comparatively less or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_arr_gt_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively greater than Reference (C++ / GNU C99 only)

Passes if Actual is comparatively greater than Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_gt_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively greater than Reference (C++ / GNU C99 only)

Passes if Actual is comparatively greater than Reference. Otherwise the test is marked as failure but the execution will continue.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_arr_geq_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively greater or equal to Reference (C++ / GNU C99 only)

Passes if Actual is comparatively greater or equal to Reference. Otherwise the test is marked as failure and the execution of the function is aborted.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_arr_geq_cmp(Actual, Reference, Size, Cmp, FormatString, ...)

Passes if Actual is comparatively greater or equal to Reference (C++ / GNU C99 only)

Passes if Actual is comparatively greater or equal to Reference. Otherwise the test is marked as failure but the execution will continue.

The macro takes a int (*comparator)(typeof(Actual) a, typeof(Expected) b) function pointer, that returns -1, 0, or 1 when a is respectively less, equal to, or greater than b.

The optional string is printed on failure.

Note
This macro is only available on C++ and GNU C compilers.
Parameters
  • Actual: Array to test
  • Reference: Reference array
  • Size: Number of bytes to check
  • Cmp: The comparator to use
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

Exception Assertions

group ExceptionAsserts

C++ only!

These macros are only available on C++ compilers.

Defines

cr_assert_throw(Statement, Exception, FormatString, ...)

Passes if Statement throws an instance of Exception (C++ only)

Passes if Statement throws an instance of Exception. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • Exception: Expected exception
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_throw(Statement, Exception, FormatString, ...)

Passes if Statement throws an instance of Exception (C++ only)

Passes if Statement throws an instance of Exception. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • Exception: Expected exception
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_no_throw(Statement, Exception, FormatString, ...)

Passes if Statement does not throws an instance of Exception (C++ only)

Passes if Statement does not throws an instance of Exception. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • Exception: Unexpected exception
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_no_throw(Statement, Exception, FormatString, ...)

Passes if Statement does not throws an instance of Exception (C++ only)

Passes if Statement does not throws an instance of Exception. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • Exception: Unexpected exception
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_any_throw(Statement, FormatString, ...)

Passes if Statement throws any kind of exception (C++ only)

Passes if Statement throws any kind of exception Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_any_throw(Statement, FormatString, ...)

Passes if Statement throws any kind of exception (C++ only)

Passes if Statement throws any kind of exception Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_none_throw(Statement, FormatString, ...)

Passes if Statement does not throws any kind of exception (C++ only)

Passes if Statement does not throws any kind of exception Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_none_throw(Statement, FormatString, ...)

Passes if Statement does not throws any kind of exception (C++ only)

Passes if Statement does not throws any kind of exception Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Note
This macro is only available on C++ compilers.
Parameters
  • Statement: Statement to be executed
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

File Assertions

group FileAsserts

Defines

cr_assert_file_contents_eq_str(File, ExpectedContents, FormatString, ...)

Passes if the contents of File are equal to the string ExpectedContents.

Passes if the contents of File are equal to the string ExpectedContents. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • ExpectedContents: C string with the ExpectedContents
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_file_contents_eq_str(File, ExpectedContents, FormatString, ...)

Passes if the contents of File are equal to the string ExpectedContents.

Passes if the contents of File are equal to the string ExpectedContents. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • ExpectedContents: C string with the ExpectedContents
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_file_contents_neq_str(File, UnexpectedContents, FormatString, ...)

Passes if the contents of File are not equal to the string UnexpectedContents.

Passes if the contents of File are not equal to the string UnexpectedContents. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • UnexpectedContents: C string with the UnexpectedContents
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_file_contents_neq_str(File, UnexpectedContents, FormatString, ...)

Passes if the contents of File are not equal to the string UnexpectedContents.

Passes if the contents of File are not equal to the string UnexpectedContents. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • UnexpectedContents: C string with the UnexpectedContents
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_file_contents_eq(File, RefFile, FormatString, ...)

Passes if the contents of File are equal to the contents of RefFile.

Passes if the contents of File are equal to the contents of RefFile. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • RefFile: Pointer to a FILE object that specifies an input stream
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_file_contents_eq(File, RefFile, FormatString, ...)

Passes if the contents of File are equal to the contents of RefFile.

Passes if the contents of File are equal to the contents of RefFile. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • RefFile: Pointer to a FILE object that specifies an input stream
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_assert_file_contents_neq(File, RefFile, FormatString, ...)

Passes if the contents of File are not equal to the contents of RefFile.

Passes if the contents of File are not equal to the contents of RefFile. Otherwise the test is marked as failure and the execution of the function is aborted.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • RefFile: Pointer to a FILE object that specifies an input stream
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

cr_expect_file_contents_neq(File, RefFile, FormatString, ...)

Passes if the contents of File are not equal to the contents of RefFile.

Passes if the contents of File are not equal to the contents of RefFile. Otherwise the test is marked as failure but the execution will continue.

The optional string is printed on failure.

Parameters
  • File: Pointer to a FILE object that specifies an input stream
  • RefFile: Pointer to a FILE object that specifies an input stream
  • FormatString: (optional) printf-like format string
  • ...: (optional) format string parameters

Report Hooks

Report hooks are functions that are called at key moments during the testing process. These are useful to report statistics gathered during the execution.

A report hook can be declared using the ReportHook macro:

#include <criterion/criterion.h>
#include <criterion/hooks.h>

ReportHook(Phase)() {
}

The macro takes a Phase parameter that indicates the phase at which the function shall be run. Valid phases are described below.

Note

There are no guarantees regarding the order of execution of report hooks on the same phase. In other words, all report hooks of a specific phase could be executed in any order.

Note

Aborting the runner with any means (abort(), exit(), cr_assert(), …) is unsupported. If you need to abort the runner, you need to iterate all subsequent tests and set their disabled field to 1.

Testing Phases

The flow of the test process goes as follows:

  1. PRE_ALL: occurs before running the tests.
  2. PRE_SUITE: occurs before a suite is initialized.
  3. PRE_INIT: occurs before a test is initialized.
  4. PRE_TEST: occurs after the test initialization, but before the test is run.
  5. ASSERT: occurs when an assertion is hit
  6. THEORY_FAIL: occurs when a theory iteration fails.
  7. TEST_CRASH: occurs when a test crashes unexpectedly.
  8. POST_TEST: occurs after a test ends, but before the test finalization.
  9. POST_FINI: occurs after a test finalization.
  10. POST_SUITE: occurs before a suite is finalized.
  11. POST_ALL: occurs after all the tests are done.

Hook Parameters

A report hook takes exactly one parameter. Valid types for each phases are:

  • struct criterion_test_set * for PRE_ALL.
  • struct criterion_suite_set * for PRE_SUITE.
  • struct criterion_test * for PRE_INIT and PRE_TEST.
  • struct criterion_assert_stats * for ASSERT.
  • struct criterion_theory_stats * for THEORY_FAIL.
  • struct criterion_test_stats * for POST_TEST, POST_FINI, and TEST_CRASH.
  • struct criterion_suite_stats * for POST_SUITE.
  • struct criterion_global_stats * for POST_ALL.

For instance, this is a valid report hook declaration for the PRE_TEST phase:

#include <criterion/criterion.h>
#include <criterion/hooks.h>

ReportHook(PRE_TEST)(struct criterion_test *test) {
    // using the parameter
}

Logging messages

Sometimes, it might be useful to print some output from within a test or fixture – and while this can be done trivially with a printf, it doesn’t integrate well with the current output, nor does it work at all when the process is testing a redirected stdout.

For these cases, Criterion exposes a logging facility:

#include <criterion/criterion.h>
#include <criterion/logging.h>

Test(suite_name, test_name) {
    cr_log_info("This is an informational message. They are not displayed "
        "by default.");
    cr_log_warn("This is a warning. They indicate some possible malfunction "
        "or misconfiguration in the test.");
    cr_log_error("This is an error. They indicate serious problems and "
        "are usually shown before the test is aborted.");
}

cr_log_info, cr_log_warn and cr_log_error are all macros expanding to a call to the cr_log function. All of them take a mandatory format string, followed by optional parameters; for instance:

cr_log_info("%d + %d = %d", 1, 2, 3);

If using C++, the output stream objects info, warn and error are defined within the criterion::logging namespace, and can be used in conjunction with operator<<:

#include <criterion/criterion.h>
#include <criterion/logging.h>

using criterion::logging::info;
using criterion::logging::warn;
using criterion::logging::error;

Test(suite_name, test_name) {
    info << "This is an informational message. "
         << "They are not displayed by default."
         << std::flush;
    warn << "This is a warning. "
         << "They indicate some possible malfunction "
         << "or misconfiguration in the test."
         << std::flush;
    error << "This is an error. "
         << "They indicate serious problems and "
         << "are usually shown before the test is aborted."
         << std::flush;
}

Note that empty messages are ignored, and newlines in the log message splits the passed string into as many messages are there are lines.

Environment and CLI

Tests built with Criterion expose by default various command line switchs and environment variables to alter their runtime behaviour.

Command line arguments

  • -h or --help: Show a help message with the available switches.
  • -q or --quiet: Disables all logging.
  • -v or --version: Prints the version of criterion that has been linked against.
  • -l or --list: Print all the tests in a list.
  • -f or --fail-fast: Exit after the first test failure.
  • --ascii: Don’t use fancy unicode symbols or colors in the output.
  • -jN or --jobs N: Use N parallel jobs to run the tests. 0 picks a number of jobs ideal for your hardware configuration.
  • --filter [PATTERN]: Run tests whose string identifier matches the given shell wildcard pattern (see dedicated section below). (*nix only)
  • --debug[=debugger]: Run tests with a debugging server attached. debugger can be ‘gdb’, ‘lldb’, or ‘windbg’ (windows only).
  • --debug-transport [TRANSPORT]: Make the debugging server use the specified remote transport. Only transports of the form tcp:port are currently supported. tcp:1234 is the default.
  • --no-early-exit: This flag is deprecated and no longer does anything.
  • -S or --short-filename: The filenames are displayed in their short form.
  • --always-succeed: The process shall exit with a status of 0.
  • --tap[=FILE]: Writes a TAP (Test Anything Protocol) report to FILE. No file or "-" means stderr and implies --quiet. This option is equivalent to --output=tap:FILE.
  • --xml[=FILE]: Writes JUnit4 XML report to FILE. No file or "-" means stderr and implies --quiet. This option is equivalent to --output=tap:FILE.
  • --json[=FILE]: Writes a JSON report to FILE. No file or "-" means stderr and implies --quiet. This option is equivalent to --output=tap:FILE.
  • --verbose[=level]: Makes the output verbose. When provided with an integer, sets the verbosity level to that integer.
  • --full-stats: Forces tests to fully report statistics. By default, tests do not report details for passing assertions, so this option forces them to do so. Activating this causes massive slowdowns for large number of assertions, but provides more accurate reports.
  • -OPROVIDER:FILE or --output=PROVIDER:FILE: Write a test report to FILE using the output provider named by PROVIDER. If FILE is "-", it implies --quiet, and the report shall be written to stderr.

Shell Wildcard Pattern

Extglob patterns in criterion are matched against a test’s string identifier.

In the table below, a pattern-list is a list of patterns separated by |. Any extglob pattern can be constructed by combining any of the following sub-patterns:

Pattern Meaning
* matches everything
? matches any character
[seq] matches any character in seq
[!seq] matches any character not in seq
?(pattern-list) Matches zero or one occurrence of the given patterns
*(pattern-list) Matches zero or more occurrences of the given patterns
+(pattern-list) Matches one or more occurrences of the given patterns
@(pattern-list) Matches one of the given patterns
!(pattern-list) Matches anything except one of the given patterns

A test string identifier is of the form suite-name/test-name, so a pattern of simple/* matches every tests in the simple suite, */passing matches all tests named passing regardless of the suite, and * matches every possible test.

Environment Variables

Environment variables are alternatives to command line switches when set to 1.

  • CRITERION_ALWAYS_SUCCEED: Same as --always-succeed.
  • CRITERION_FAIL_FAST: Same as --fail-fast.
  • CRITERION_USE_ASCII: Same as --ascii.
  • CRITERION_JOBS: Same as --jobs. Sets the number of jobs to its value.
  • CRITERION_SHORT_FILENAME: Same as --short-filename.
  • CRITERION_VERBOSITY_LEVEL: Same as --verbose. Sets the verbosity level to its value.
  • CRITERION_TEST_PATTERN: Same as --pattern. Sets the test pattern to its value. (*nix only)
  • CRITERION_DISABLE_TIME_MEASUREMENTS: Disables any time measurements on the tests.
  • CRITERION_OUTPUTS: Can be set to a comma-separated list of PROVIDER:FILE entries. For instance, setting the variable to tap:foo.tap,xml:bar.xml has the same effect as specifying --tap=foo.tap and --xml=bar.xml at once.
  • CRITERION_ENABLE_TAP: (Deprecated, use CRITERION_OUTPUTS) Same as --tap.

Writing tests reports in a custom format

Outputs providers are used to write tests reports in the format of your choice: for instance, TAP and XML reporting are implemented with output providers.

Adding a custom output provider

An output provider is a function with the following signature:

void func(FILE *out, struct criterion_global_stats *stats);

Once implemented, you then need to register it as an output provider:

criterion_register_output_provider("provider name", func);

This needs to be done before the test runner stops, so you may want to register it either in a self-provided main, or in a PRE_ALL or POST_ALL report hook.

Writing to a file with an output provider

To tell criterion to write a report to a specific file using the output provider of your choice, you can either pass --output as a command-line parameter:

./my_tests --output="provider name":/path/to/file

Or, you can do so directly by calling criterion_add_output before the runner stops:

criterion_add_output("provider name", "/path/to/file");

The path may be relative. If "-" is passed as a filename, the report will be written to stderr.

Using parameterized tests

Parameterized tests are useful to repeat a specific test logic over a finite set of parameters.

Due to limitations on how generated parameters are passed, parameterized tests can only accept one pointer parameter; however, this is not that much of a problem since you can just pass a structure containing the context you need.

Adding parameterized tests

Adding parameterized tests is done by defining the parameterized test function, and the parameter generator function:

group ParameterizedBase

Defines

ParameterizedTest(Type, Suite, Name, ...)

ParameterizedTest(Type *param, Suite, Name, [Options…]) { Function Body }.

Defines a new parameterized test.

A parameterized test only takes one parameter to pass multiple parameters, use a structure type.

Parameters
  • Type: The type of the parameter.
  • Suite: The name of the test suite containing this test.
  • Name: The name of the test.
  • ...: An optional sequence of designated initializer key/value pairs as described in the criterion_test_extra_data structure (see criterion/types.h). Example: .exit_code = 1

ParameterizedTestParameters(Suite, Name)

Defines the parameter generator prototype for the associated parameterized test.

Return
A constructed instance of criterion::parameters, or the result of the cr_make_param_array macro.
Parameters
  • Suite: The name of the test suite containing the test.
  • Test: The name of the test.

cr_make_param_array(Type, Array, Len, Cleanup)

Constructs a parameter list used as a return value for a parameter generator.

This is only recommended for C sources. For C++, use criterion::parameters or criterion_test_params.

Return
The parameter list.
Parameters
  • Type: The type of the array subscript.
  • Array: The array of parameters.
  • Len: The length of the array.
  • Cleanup: The optional cleanup function for the array.

Typedefs

using criterion::parameters = typedef std::vector<T, criterion::allocator<T> >

Represents a C++ dynamic parameter list for a parameter generator.

Parameters
  • T: The type of the parameter.

#include <criterion/parameterized.h>

ParameterizedTestParameters(suite_name, test_name) {
    void *params;
    size_t nb_params;

    // generate parameter set
    return cr_make_param_array(Type, params, nb_params);
}

ParameterizedTest(Type *param, suite_name, test_name) {
    // contents of the test
}

suite_name and test_name are the identifiers of the test suite and the test, respectively. These identifiers must follow the language identifier format.

Type is the compound type of the generated array. params and nb_params are the pointer and the length of the generated array, respectively.

Note

The parameter array must be reachable after the function returns – as such, local arrays must be declared with static or dynamically allocated.

Passing multiple parameters

As said earlier, parameterized tests only take one parameter, so passing multiple parameters is, in the strict sense, not possible. However, one can easily use a struct to hold the context as a workaround:

#include <criterion/parameterized.h>

struct my_params {
    int param0;
    double param1;
    ...
};

ParameterizedTestParameters(suite_name, test_name) {
    static struct my_params params[] = {
        // parameter set
    };

    size_t nb_params = sizeof (params) / sizeof (struct my_params);
    return cr_make_param_array(struct my_params, params, nb_params);
}

ParameterizedTest(struct my_params *param, suite_name, test_name) {
    // access param.param0, param.param1, ...
}

C++ users can also use a simpler syntax before returning an array of parameters:

ParameterizedTestParameters(suite_name, test_name) {
    static struct my_params params[] = {
        // parameter set
    };

    return criterion_test_params(params);
}

Dynamically allocating parameters

Any dynamic memory allocation done from a ParameterizedTestParameter function must be done with cr_malloc, cr_calloc, or cr_realloc.

Any pointer returned by those 3 functions must be passed to cr_free after you have no more use of it.

It is undefined behaviour to use any other allocation function (such as malloc) from the scope of a ParameterizedTestParameter function.

In C++, these methods should not be called explicitely – instead, you should use:

  • criterion::new_obj<Type>(params...) to allocate an object of type Type and call its constructor taking params.... The function possess the exact same semantics as new Type(params...).
  • criterion::delete_obj(obj) to destroy an object previously allocated by criterion::new_obj. The function possess the exact same semantics as delete obj.
  • criterion::new_arr<Type>(size) to allocate an array of objects of type Type and length size. Type is initialized by calling its default constructor. The function possess the exact same semantics as new Type[size].
  • criterion::delete_arr(array) to destroy an array previously allocated by criterion::new_arr. The function possess the exact same semantics as delete[] array.

Furthermore, the criterion::allocator<T> allocator can be used with STL containers to allocate memory with the functions above.

Freeing dynamically allocated parameter fields

One can pass an extra parameter to cr_make_param_array to specify the cleanup function that should be called on the generated parameter context:

#include <criterion/parameterized.h>

struct my_params {
    int *some_int_ptr;
};

void cleanup_params(struct criterion_test_params *ctp) {
    cr_free(((struct my_params *) ctp->params)->some_int_ptr);
}

ParameterizedTestParameters(suite_name, test_name) {
    static my_params params[] = {{
        .some_int_ptr = cr_malloc(sizeof (int));
    }};
    param[0].some_int_ptr = 42;

    return cr_make_param_array(struct my_params, params, 1, cleanup_params);
}

C++ users can use a more convenient approach:

#include <criterion/parameterized.h>

struct my_params {
    std::unique_ptr<int, decltype(criterion::free)> some_int_ptr;

    my_params(int *ptr) : some_int_ptr(ptr, criterion::free) {}
};

ParameterizedTestParameters(suite_name, test_name) {
    static criterion::parameters<my_params> params;
    params.push_back(my_params(criterion::new_obj<int>(42)));

    return params;
}

criterion::parameters<T> is typedef’d as std::vector<T, criterion::allocator<T>>.

Configuring parameterized tests

Parameterized tests can optionally recieve configuration parameters to alter their own behaviour, and are applied to each iteration of the parameterized test individually (this means that the initialization and finalization runs once per iteration). Those parameters are the same ones as the ones of the Test macro function (c.f. Configuration reference).

Using theories

Theories are a powerful tool for test-driven development, allowing you to test a specific behaviour against all permutations of a set of user-defined parameters known as “data points”.

Adding theories

group TheoryBase

Defines

Theory(Params, Suite, Name, ...)

Defines a new theory test.

The parameters are selected from a cartesian product defined by a TheoryDataPoints macro.

Example:

Theory((int arg0, double arg1), suite, test) {
    // function body
};

Parameters
  • Params: A list of function parameters.
  • Suite: The name of the test suite containing this test.
  • Name: The name of the test.
  • ...: An optional sequence of designated initializer key/value pairs as described in the criterion_test_extra_data structure (see criterion/types.h). Example: .exit_code = 1

TheoryDataPoints(Suite, Name)

Defines an array of data points.

The types of the specified data points must match the types of the associated theory.

Each entry in the array must be the result of the DataPoints macro.

Example:

TheoryDataPoints(suite, test) = {
    DataPoints(int, 1, 2, 3),               // first theory parameter
    DataPoints(double, 4.2, 0, -INFINITY),  // second theory parameter
};

Parameters
  • Suite: The name of the test suite containing this test.
  • Name: The name of the test.

DataPoints(Type, ...)

Defines a new set of data points.

Parameters
  • Type: The type of each data point in the set.
  • ...: The data points in the set.

Adding theories is done by defining data points and a theory function:

#include <criterion/theories.h>

TheoryDataPoints(suite_name, test_name) = {
    DataPoints(Type0, val0, val1, val2, ..., valN),
    DataPoints(Type1, val0, val1, val2, ..., valN),
    ...
    DataPoints(TypeN, val0, val1, val2, ..., valN),
}

Theory((Type0 arg0, Type1 arg1, ..., TypeN argN), suite_name, test_name) {
}

suite_name and test_name are the identifiers of the test suite and the test, respectively. These identifiers must follow the language identifier format.

Type0/arg0 through TypeN/argN are the parameter types and names of theory theory function and are available in the body of the function.

Datapoints are declared in the same number, type, and order than the parameters inside the TheoryDataPoints macro, with the DataPoints macro. Beware! It is undefined behaviour to not have a matching number and type of theory parameters and datatypes.

Each DataPoints must then specify the values that will be used for the theory parameter it is linked to (val0 through valN).

Assertions and invariants

You can use any cr_assert or cr_expect macro functions inside the body of a theory function.

Theory invariants are enforced through the cr_assume(Condition) macro function: if Condition is false, then the current theory iteration aborts without making the test fail.

On top of those, more assume macro functions are available for common operations:

group TheoryInvariants

Defines

cr_assume(Condition)

Assumes Condition is true.

Evaluates Condition and continues execution if it is true. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Condition: Condition to test

cr_assume_not(Condition)

Assumes Condition is false.

Evaluates Condition and continues execution if it is false. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Condition: Condition to test

cr_assume_eq(Actual, Expected)

Assumes Actual is equal to Expected

Continues execution if Actual is equal to Expected. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Expected: Expected value

cr_assume_neq(Actual, Unexpected)

Assumes Actual is not equal to Unexpected

Continues execution if Actual is not equal to Unexpected. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Unexpected: Unexpected value

cr_assume_gt(Actual, Reference)

Assumes Actual is greater than Reference

Continues execution if Actual is greater than Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_geq(Actual, Reference)

Assumes Actual is greater or equal to Reference

Continues execution if Actual is greater or equal to Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_lt(Actual, Reference)

Assumes Actual is less than Reference

Continues execution if Actual is less than Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_leq(Actual, Reference)

Assumes Actual is less or equal to Reference

Continues execution if Actual is less or equal to Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_null(Value)

Assumes Value is NULL.

Continues execution if Value is NULL. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Value: Value to test

cr_assume_not_null(Value)

Assumes Value is not NULL.

Continues execution if Value is not NULL. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Value: Value to test

cr_assume_float_eq(Actual, Expected, Epsilon)

Assumes Actual is equal to Expected with a tolerance of Epsilon

Continues execution if Actual is equal to Expected with a tolerance of Epsilon. Otherwise the current theory iteration aborts without marking the test as failure.

Note
Use this to test equality between floats
Parameters
  • Actual: Value to test
  • Expected: Expected value
  • Epsilon: Tolerance between Actual and Expected

cr_assume_float_neq(Actual, Expected, Epsilon)

Assumes Actual is not equal to Expected with a tolerance of Epsilon

Continues execution if Actual is not equal to Expected with a tolerance of Epsilon. Otherwise the current theory iteration aborts without marking the test as failure.

Note
Use this to test equality between floats
Parameters
  • Actual: Value to test
  • Expected: Expected value
  • Epsilon: Tolerance between Actual and Expected

cr_assume_str_eq(Actual, Expected)

Assumes Actual is lexicographically equal to Expected

Continues execution if Actual is lexicographically equal to Expected. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: String to test
  • Expected: Expected string

cr_assume_str_neq(Actual, Unexpected)

Assumes Actual is not lexicographically equal to Unexpected

Continues execution if Actual is not lexicographically equal to Unexpected. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: String to test
  • Unexpected: Unexpected string

cr_assume_str_lt(Actual, Reference)

Assumes Actual is lexicographically less than Reference

Continues execution if Actual is lexicographically less than Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_str_leq(Actual, Reference)

Assumes Actual is lexicographically less or equal to Reference

Continues execution if Actual is lexicographically less or equal to Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_str_gt(Actual, Reference)

Assumes Actual is lexicographically greater than Reference

Continues execution if Actual is lexicographically greater than Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_str_geq(Actual, Reference)

Assumes Actual is lexicographically greater or equal to Reference

Continues execution if Actual is lexicographically greater or equal to Reference. Otherwise the current theory iteration aborts without marking the test as failure.

Parameters
  • Actual: Value to test
  • Reference: Reference value

cr_assume_arr_eq(Actual, Expected, Size)

Assumes Actual is byte-to-byte equal to Expected

Continues execution if Actual is byte-to-byte equal to Expected. Otherwise the current theory iteration aborts without marking the test as failure.

Warning
This should not be used on struct arrays
Parameters
  • Actual: Array to test
  • Expected: Expected array
  • Size: The size of both arrays

cr_assume_arr_neq(Actual, Unexpected, Size)

Assumes Actual is not byte-to-byte equal to Unexpected

Continues execution if Actual is not byte-to-byte equal to Unexpected. Otherwise the current theory iteration aborts without marking the test as failure.

Warning
This should not be used on struct arrays
Parameters
  • Actual: Array to test
  • Unexpected: Unexpected array
  • Size: The size of both arrays

Configuring theories

Theories can optionally recieve configuration parameters to alter the behaviour of the underlying test; as such, those parameters are the same ones as the ones of the Test macro function (c.f. Configuration reference).

Full sample & purpose of theories

We will illustrate how useful theories are with a simple example using Criterion:

The basics of theories

Let us imagine that we want to test if the algebraic properties of integers, and specifically concerning multiplication, are respected by the C language:

int my_mul(int lhs, int rhs) {
    return lhs * rhs;
}

Now, we know that multiplication over integers is commutative, so we first test that:

#include <criterion/criterion.h>

Test(algebra, multiplication_is_commutative) {
    cr_assert_eq(my_mul(2, 3), my_mul(3, 2));
}

However, this test is imperfect, because there is not enough triangulation to insure that my_mul is indeed commutative. One might be tempted to add more assertions on other values, but this will never be good enough: commutativity should work for any pair of integers, not just an arbitrary set, but, to be fair, you cannot just test this behaviour for every integer pair that exists.

Theories purposely bridge these two issues by introducing the concept of “data point” and by refactoring the repeating logic into a dedicated function:

#include <criterion/theories.h>

TheoryDataPoints(algebra, multiplication_is_commutative) = {
    DataPoints(int, [...]),
    DataPoints(int, [...]),
};

Theory((int lhs, int rhs), algebra, multiplication_is_commutative) {
    cr_assert_eq(my_mul(lhs, rhs), my_mul(rhs, lhs));
}

As you can see, we refactored the assertion into a theory taking two unspecified integers.

We first define some data points in the same order and type the parameters have, from left to right: the first DataPoints(int, ...) will define the set of values passed to the int lhs parameter, and the second will define the one passed to int rhs.

Choosing the values of the data point is left to you, but we might as well use “interesting” values: 0, -1, 1, -2, 2, INT_MAX, and INT_MIN:

#include <limits.h>

TheoryDataPoints(algebra, multiplication_is_commutative) = {
    DataPoints(int, 0, -1, 1, -2, 2, INT_MAX, INT_MIN),
    DataPoints(int, 0, -1, 1, -2, 2, INT_MAX, INT_MIN),
};

Using theory invariants

The second thing we can test on multiplication is that it is the inverse function of division. Then, given the division operation:

int my_div(int lhs, int rhs) {
    return lhs / rhs;
}

The associated theory is straight-forward:

#include <criterion/theories.h>

TheoryDataPoints(algebra, multiplication_is_inverse_of_division) = {
    DataPoints(int, 0, -1, 1, -2, 2, INT_MAX, INT_MIN),
    DataPoints(int, 0, -1, 1, -2, 2, INT_MAX, INT_MIN),
};

Theory((int lhs, int rhs), algebra, multiplication_is_inverse_of_division) {
    cr_assert_eq(lhs, my_div(my_mul(lhs, rhs), rhs));
}

However, we do have a problem because you cannot have the theory function divide by 0. For this purpose, we can assume than rhs will never be 0:

Theory((int lhs, int rhs), algebra, multiplication_is_inverse_of_division) {
    cr_assume(rhs != 0);
    cr_assert_eq(lhs, my_div(my_mul(lhs, rhs), rhs));
}

cr_assume will abort the current theory iteration if the condition is not fulfiled.

Running the test at that point will raise a big problem with the current implementation of my_mul and my_div:

[----] theories.c:24: Assertion failed: (a) == (bad_div(bad_mul(a, b), b))
[----]   Theory algebra::multiplication_is_inverse_of_division failed with the following parameters: (2147483647, 2)
[----] theories.c:24: Assertion failed: (a) == (bad_div(bad_mul(a, b), b))
[----]   Theory algebra::multiplication_is_inverse_of_division failed with the following parameters: (-2147483648, 2)
[----] theories.c:24: Unexpected signal caught below this line!
[FAIL] algebra::multiplication_is_inverse_of_division: CRASH!

The theory shows that my_div(my_mul(INT_MAX, 2), 2) and my_div(my_mul(INT_MIN, 2), 2) does not respect the properties for multiplication: it happens that the behaviour of these two functions is undefined because the operation overflows.

Similarly, the test crashes at the end; debugging shows that the source of the crash is the divison of INT_MAX by -1, which is undefined.

Fixing this is as easy as changing the prototypes of my_mul and my_div to operate on long long rather than int.

What’s the difference between theories and parameterized tests ?

While it may at first seem that theories and parameterized tests are the same, just because they happen to take multiple parameters does not mean that they logically behave in the same manner.

Parameterized tests are useful to test a specific logic against a fixed, finite set of examples that you need to work.

Theories are, well, just that: theories. They represent a test against an universal truth, regardless of the input data matching its predicates.

Implementation-wise, Criterion also marks the separation by the way that both are executed:

Each parameterized test iteration is run in its own test; this means that one parameterized test acts as a collection of many tests, and gets reported as such.

On the other hand, a theory act as one single test, since the size and contents of the generated data set is not relevant. It does not make sense to say that an universal truth is “partially true”, so if one of the iteration fails, then the whole test fails.

Changing the internals

Providing your own main

If you are not satisfied with the default CLI or environment variables, you can define your own main function.

Configuring the test runner

First and foremost, you need to generate the test set; this is done by calling criterion_initialize(). The function returns a struct criterion_test_set *, that you need to pass to criterion_run_all_tests later on.

At the very end of your main, you also need to call criterion_finalize with the test set as parameter to free any ressources initialized by criterion earlier.

You’d usually want to configure the test runner before calling it. Configuration is done by setting fields in a global variable named criterion_options (include criterion/options.h).

Here is an exhaustive list of these fields:

Field Type Description
logging_threshold enum criterion_logging_level The logging level
logger struct criterion_logger * The logger (see below)
always_succeed bool True iff criterion_run_all_tests should always returns 1
use_ascii bool True iff the outputs should use the ASCII charset
fail_fast bool True iff the test runner should abort after the first failure
pattern const char * The pattern of the tests that should be executed

if you want criterion to provide its own default CLI parameters and environment variables handling, you can also call criterion_handle_args(int argc, char *argv[], bool handle_unknown_arg) with the proper argc/argv. handle_unknown_arg, if set to true, is here to tell criterion to print its usage when an unknown CLI parameter is encountered. If you want to add your own parameters, you should set it to false.

The function returns 0 if the main should exit immediately, and 1 if it should continue.

Starting the test runner

The test runner can be called with criterion_run_all_tests. The function returns 0 if one test or more failed, 1 otherwise.

Example main

#include <criterion/criterion.h>

int main(int argc, char *argv[]) {
    struct criterion_test_set *tests = criterion_initialize();

    int result = 0;
    if (criterion_handle_args(argc, argv, true))
        result = !criterion_run_all_tests(tests);

    criterion_finalize(tests);
    return result;
}

Implementing your own logger

In case you are not satisfied by the default logger, you can implement yours. To do so, simply set the logger option to your custom logger.

Each function contained in the structure is called during one of the standard phase of the criterion runner.

For more insight on how to implement this, see other existing loggers in src/log/.

Debugging and Coverage information

Note

The following section assumes you have the relevant debugging server installed on your machine. For instance, if you’re debugging with gdb, you’ll need to have gdbserver installed and available in your PATH.

Debugging with GDB

In one terminal do:

$ ./test --debug=gdb
Process test created; pid = 20803
Listening on port 1234

Note

If no argument is passed to –debug, criterion will fall back to the appropriate debugging server for your compiler: gdbserver with gcc, lldb-server with clang, windbg with msvc.

In another terminal connect to this debug session:

$ gdb -q ./test
Reading symbols from ./test...done.
(gdb) target remote localhost:1234
Remote debugging using localhost:1234
0x00007ffff7dd9d90 in _start() from target:/lib64/ld-linux-x86-64.so.2
(gdb) continue
...
[Inferior 1 (process 25269) exited normally]
(gdb) q

After continue the first test is run:

Remote debugging from host 127.0.0.1
[RUN ] misc::failing
[----] /path/to/test.c:4: Assertion failed: The expression 0 is false.
[FAIL] misc::failing: (0,00s)

Child exited with status 0

And a new process is created for the next test:

Process /path/to/test created; pid = 26414
Listening on port 1234

Connect your remote debugger to this test with target remote localhost:1234 and run the test with continue

To use a different port use --debug --debug-transport=<protocol>:<port>

Debugging with an unsupported debugger

If you want to use a debugger that criterion doesn’t natively support, you may use the idle debugging mode: In this mode, the PID of the test will be printed, and the test itself will suspend all operations until a debugger resumes it.

$ ./test --debug=idle
<snip>
[----] misc::failing: Started test has PID 30587.

On unices, once attached, simply signal the process with SIGCONT to resume it.

$ sudo gdb ./test -p 30587
Attaching to process 30587
0x00007f9ea3780f3d in raise () from /usr/lib/libpthread.so.0
(gdb) signal SIGCONT
Continuing with signal SIGCONT.

Program received signal SIGCONT, Continued.
0x00007f9ea3780f5f in raise () from /usr/lib/libpthread.so.0
(gdb) c
...
(gdb) q

Coverage of Criterion tests

To use gcov, you have to compile your tests with the two GCC Options -fprofile-arcs and –ftest-coverage.

F.A.Q

Q. When running the test suite in Windows’ cmd.exe, the test executable prints weird characters, how do I fix that?

A. Windows’ cmd.exe is not an unicode ANSI-compatible terminal emulator. There are plenty of ways to fix that behaviour:

  • Pass --ascii to the test suite when executing.
  • Define the CRITERION_USE_ASCII environment variable to 1.
  • Get a better terminal emulator, such as the one shipped with Git or Cygwin.

Q. I’m having an issue with the library, what can I do ?

A. Open a new issue on the github issue tracker, and describe the problem you are experiencing, along with the platform you are running criterion on.