Why we need another unit testing framework
The current popular unit testing frameworks, e.g. Catch2, doctest, Boost.Test and cpputest are mature and well-established which covers common cases during development. The logger libraries like glog and spdlog are also easy to use. However, there are still some issues:
1. Generic Printing
Most unit testing frameworks and logger libraries can not provide a generic printing for user customized type. Especially, when using containers, struct and pointers (including smart pointers), user have to manualy write code to generate the log message or print those information during unit testing failed cases.
This library zeroerr
gives you an ability to print generically for all types:
std::vector<int> data = {1, 2, 3};
LOG_IF(1 == 1,
"data = {data}", data);
}
#define LOG_IF(cond,...)
Definition: log.h:78
#define TEST_CASE(name)
Definition: unittest.h:17
Similar to other C++ unit testing frameworks, zeroerr
will convert this piece of code into a function and register it to automatically run once you link the main function and the library. Here, we can log the data in vector
template directly without writing any code.
For the custom struct type with override std::ostream& operator<<(std::ostream&, Type)
stream output, you can use it not only for this type but also all contains using this type, including multiple recurisve contains:
struct Node {
std::string name;
int id;
};
std::ostream&
operator<<(std::ostream& out, Node n) {
out << n.id << '.' << n.name;
return out;
}
std::map<std::string, std::vector<Node>> data = {
{"user1", {{"a",1}, {"b",2}}}, {"user2", {{"c",3}, {"d",4}}}
};
LOG(
"data = {data}", data);
}
#define LOG(...)
Definition: log.h:61
std::ostream & operator<<(std::ostream &os, const XmlEncode &xmlEncode)
Definition: unittest.cpp:570
Of cause, in many cases, some third-party libraries may not use <<
operators. For those cases, we can write own rules to create a generic way for printing. For example, LLVM llvm::Function*
type can not be streamed into std::ostream, we can write code to handle it. However, it will be more simple if we can write a rule for all the sub-classes of llvm::Value
and llvm::Type
since we can call the print
method to print the output. Here we use a dbg
marco defined in zeroerr
to quickly print any type. This is very similar to the dbg
marco in rust.
template <typename T>
typename std::enable_if<
std::is_base_of<llvm::Value, T>::value || std::is_base_of<llvm::Type, T>::value, void>::type
PrinterExt(Printer& P, T* s,
unsigned level,
const char* lb, rank<2>) {
if (s == nullptr) {
P.os << P.tab(level) << "nullptr" << lb;
} else {
llvm::raw_os_ostream os(P.os);
s->print(os);
}
}
}
TEST_CASE(
"customize printing of LLVM pointers") {
llvm::LLVMContext context;
std::vector<llvm::Type*> args = {llvm::Type::getInt32Ty(context)};
llvm::Module* module = new llvm::Module("test_module", context);
auto* f =
llvm::Function::Create(llvm::FunctionType::get(llvm::Type::getVoidTy(context), args, false),
llvm::GlobalValue::ExternalLinkage, "test", module);
}
#define dbg(...)
Definition: dbg.h:13
Definition: benchmark.cpp:17
void PrinterExt(Printer &, T, unsigned, const char *, rank< 0 >)
PrinterExt is an extension of Printer that allows user to write custom rules for printing.
Definition: print.h:300
This functin PrintExt
will match all the class who's base class is Value
and Type
. Then, it will create a stream `llvm::raw_os_ostream
for output.
2. Joint using of assert, log and unit testing
If you use a logger, an unit testing framework and a smart assert libary, you can joint use them and some macros may conflict. In zeroerr
, if an assertion is failed, the logger will recevie an event and stored in your log file. If you are using an assertion in unit testing, the assertion can be recorded and reported in the end.
int fib(int n) {
REQUIRE(n >= 0,
"n must be non-negative");
REQUIRE(n < 20,
"n must be less than 20");
if (n <= 2) {
return 1;
}
return fib(n - 1) + fib(n - 2);
}
}
#define CHECK(...)
Definition: assert.h:151
#define REQUIRE(...)
Definition: assert.h:154
Further more, the unit testing can check the log result matches the previous running result to avoid writing code to check it.
std::cerr << "a = 100" << std::endl;
}
#define ZEROERR_HAVE_SAME_OUTPUT
Definition: unittest.h:41
Once you set ZEROERR_HAVE_SAME_OUTPUT
marco, the system will check the output stream and save the first run result into a file. Then, the next run will compare the result to see if it the same. (Currently experimental)
Finally, for the log system, the unit testing can access the log data to ensure that the function has executed the expected logic and results.
118 static void function() {
119
LOG(
"function log {i}", 1);
120
LOG(
"function log {sum}, {i}", 10, 1);
121 }
...
TEST_CASE("access log in Test case") {
function();
}
#define LOG_GET(func, id, name, type)
Definition: log.h:67
void suspendLog()
suspend the log to flush to the file
Definition: log.cpp:427
void resumeLog()
resume the log to flush to the file
Definition: log.cpp:432
In order to access the log, we need to pause the log system first, to avoid the data being output to the file, then call the function, access the data in the log through the LOG_GET
macro, and finally resume the log system. (Currently experimental, only the first call of each log point can be accessed)
3. Fuzzing Support
Most Unit Testing frameworks do not support fuzzing. However, it's a powerful feature to automatically detect faults in the software and can greatly reduce the work to write test cases.
Different than other fuzzing framework, zeroerr
can also support logging and assertion in the code, so the fuzzing result not only contains corpus but also with the logging and assertion information.
Here is an example of using zeroerr
to do structured fuzzing:
int t = atoi(num.c_str());
LOG(
"k: {k}, num:{num}, t: {t}", k, num, t);
})
.WithDomains(InRange<int>(0, 10), Arbitrary<std::string>())
.WithSeeds({{5, "Foo"}, {10, "Bar"}})
.Run(10);
}
#define FUZZ_FUNC(func)
Definition: fuzztest.h:31
#define FUZZ_TEST_CASE(name)
Definition: fuzztest.h:29
Inspired by fuzztest, Domain is a concept to specify the input data range (or patterns) for the target function. Here, we use InRange
to specify the range of k
is 0 to 10, and Arbitrary
to specify the data of num
can be any random string. Then, we use WithSeeds
to specify the initial seeds for the fuzzing.
The macro FUZZ_TEST_CASE
will generate a test case which can connect with libFuzzer
to run the fuzzing. Finally, we use Run(10)
to call libFuzzer
to run the target for 10 times.
To build the test case with fuzzing, you need to use clang++
to compile the code and with -fsanitize=fuzzer-no-link
and link the -lclang_rt.fuzzer_no_main-x86_64
which is a version of libFuzzer without main function. You can find this runtime library by calling clang++ -print-runtime-dir
. Here is the complete command to build the test case with fuzzing support:
clang++ -std=c++11 -fsanitize=fuzzer-no-link -L=`clang++ -print-runtime-dir` -lclang_rt.fuzzer_no_main-x86_64 -o test_fuzz test_fuzz.cpp
Features
Using ZeroErr, you can catch your assert error, log fatal event in the unit testing. The fatal condition will be recorded and printed. Here are a list of features we provided:
- Minimal Requirement You can only include what you need. If you need assert but no unit testing, no problem.
- Optional thread safety You can choose to build with/without thread safety. For some simple single thread program, log is no need to be multithread safed.
- Fastest log Using a lock-free queue for logging and multiple level of log writing policies. You can choose to only write to disk with the most important events.
- Customized print / log / assert printing format You can customize your printing format for everything. There is a callback function for the printing.
- Quickly debug something You can use dbg macro to quickly see the output, it can print the expression also.
- Colorful output You can have default colorful output to terminal and no color for file
- Print struct/stl/special library data structure
- Doctest like assertion and unit test feature You can use your unit test as a documentation of function behavior. The output of unittest can be a documented report.
- Lazy logging for assertion After assertion failed, the logging result will print automatically even if you didn't redirect to your error stream
- Logging Category Logging information can have customized category and only display one categroy based on your assertion or configuration
- Logging for Unit Testing You can use a correct logging result as your unit testing comparsion. So you just need to manually verify your log once and setup it as baseline comparsion. The unit testing framework will use that as the result to verify unit testing
- Structured Logging We can support output structured information directly into plain text, json, logfmt, or other custom format
- Automatic Tracing with logging While logging at the end, we can record the time consuming for this function.
Header-only libraries
- dbg
- print (without use extern functions)
- assert
- color (if always enable)