如何将valgrind测试添加到我的cmake“test”目标中

时间:2016-10-30 04:08:42

标签: c++ cmake valgrind

我通过使用ninja构建然后从构建树运行ninja test来运行单元测试:

cmake -G Ninja /source/tree
ninja
ninja test

但是,要运行valgrind,我需要手动运行它:

valgrind rel/path/to/test

我希望valgrindninja test运行时自动运行。 According to the cmake documentation “设置[valgrind测试] 非常容易,但是当我运行时

ctest -D NightlyMemoryCheck

我刚收到此错误:

Cannot find file: /home/arman/tinman/deb/DartConfiguration.tcl
   Site: 
   Build name: (empty)
WARNING: No nightly start time found please set in CTestConfig.cmake or DartConfig.cmake
Problem initializing the dashboard.

当我按照此SO问题中的说明操作时出现类似错误:

How do I make ctest run a program with valgrind without dart?

我不知道dart是什么,但根据网站,它是某种在线测试doodad。

显然非常容易对我来说不够容易。有没有人知道一个非常简单的解决方案,你必须成为某种IT术士才能使工作?

1 个答案:

答案 0 :(得分:28)

这是一个自包含的示例,展示了如何将valgrind测试添加到CMake项目。该示例包含单个C ++源文件main.cpp

#include <iostream>

int main()
{
    double* leak = new double[10];
    std::cout << "Hello!" << std::endl;
}

该代码包含故意泄漏,应由valgrind接收。我们还需要CMakeLists.txt文件,该文件需要CMake&gt; = 2.8:

cmake_minimum_required(VERSION 2.8)

project (ValgrindExample)

include (CTest)
add_executable(example main.cpp)
add_test(example_test example)

重要的是要将CTest模块包含include,而不是仅使用enable_testing()启用测试。 CTest模块负责设置机器,以便能够通过测试运行内存检查(例如,它找到valgrind可执行文件)。

现在我们可以在项目文件夹中打开一个shell会话并创建一个Ninja构建树:

$ mkdir build; cd build
$ cmake -G Ninja -DCMAKE_BUILD_TYPE=Debug ..

我们可以以常规方式构建和运行没有 valgrind的测试

$ ninja
[2/2] Linking CXX executable example
$ ninja test
[0/1] Running tests...
...
100% tests passed, 0 tests failed out of 1

Total Test time (real) =   0.01 sec

要使用 valgrind运行测试,我们必须使用CMake的ctest可执行文件和测试操作memcheck

$ ctest -T memcheck
...
1/1 MemCheck #1: example_test .....................   Passed    0.77 sec

100% tests passed, 0 tests failed out of 1

Total Test time (real) =   0.77 sec
-- Processing memory checking output: 
Memory checking results:
Memory Leak - 2

ctest打印内存检查结果的摘要。 valgrind的详细输出位于构建树的临时目录中:

$ cat ./Testing/Temporary/MemoryChecker.*.log
==4565== 80 bytes in 1 blocks are definitely lost in loss record 37 of 64
==4565==    at 0x10000B681: malloc (in /usr/local/Cellar/valgrind/3.12.0/lib/valgrind/vgpreload_memcheck-amd64-darwin.so)
==4565==    by 0x1000507DD: operator new(unsigned long) (in /usr/lib/libc++.1.dylib)
==4565==    by 0x100000F93: main (main.cpp:5)
...

运行ninja test时无法自动运行valgrind,因为无法修改CMake的内置测试目标并始终以常规方式运行测试。但是,我们可以添加一个自定义CMake目标,该目标使用-T memcheck选项调用ctest,然后打印详细的valgrind报告:

add_custom_target(test_memcheck
    COMMAND ${CMAKE_CTEST_COMMAND} 
        --force-new-ctest-process --test-action memcheck
    COMMAND cat "${CMAKE_BINARY_DIR}/Testing/Temporary/MemoryChecker.*.log")

--test-action是交换机-T的详细版本。

然后,我们可以使用

从Ninja调用valgrind测试
$ ninja test_memcheck

并获得结果,就像我们手动运行valgrind一样。