38

有时最好检查某些东西是否无法构建,例如:

// Next line should fail to compile: can't convert const iterator to iterator.
my_new_container_type::iterator it = my_new_container_type::const_iterator();

是否可以将这些类型的东西合并到 CMake/CTest 中?我正在寻找这样的东西CMakeLists.txt

add_build_failure_executable(
    test_iterator_conversion_build_failure
    iterator_conversion_build_failure.cpp)
add_build_failure_test(
    test_iterator_conversion_build_failure
    test_iterator_conversion_build_failure)

(当然,据我所知,这些特定的 CMake 指令并不存在。)

4

2 回答 2

42

您可以或多或少地按照您的描述执行此操作。您可以添加一个无法编译的目标,然后添加一个调用cmake --build以尝试构建目标的测试。剩下的就是将 test 属性设置WILL_FAIL为 true。

因此,假设您将测试放在名为“will_fail.cpp”的文件中,其中包含:

#if defined TEST1
non-compiling code for test 1
#elif defined TEST2
non-compiling code for test 2
#endif

然后你可以在你的 CMakeLists.txt 中有如下内容:

cmake_minimum_required(VERSION 3.0)
project(Example)

include(CTest)

# Add a couple of failing-to-compile targets
add_executable(will_fail will_fail.cpp)
add_executable(will_fail_again will_fail.cpp)
# Avoid building these targets normally
set_target_properties(will_fail will_fail_again PROPERTIES
                      EXCLUDE_FROM_ALL TRUE
                      EXCLUDE_FROM_DEFAULT_BUILD TRUE)
# Provide a PP definition to target the appropriate part of
# "will_fail.cpp", or provide separate files per test.
target_compile_definitions(will_fail PRIVATE TEST1)
target_compile_definitions(will_fail_again PRIVATE TEST2)

# Add the tests.  These invoke "cmake --build ..." which is a
# cross-platform way of building the given target.
add_test(NAME Test1
         COMMAND ${CMAKE_COMMAND} --build . --target will_fail --config $<CONFIGURATION>
         WORKING_DIRECTORY ${CMAKE_BINARY_DIR})
add_test(NAME Test2
         COMMAND ${CMAKE_COMMAND} --build . --target will_fail_again --config $<CONFIGURATION>
         WORKING_DIRECTORY ${CMAKE_BINARY_DIR})
# Expect these tests to fail (i.e. cmake --build should return
# a non-zero value)
set_tests_properties(Test1 Test2 PROPERTIES WILL_FAIL TRUE)

如果你有很多这些要写的话,你显然可以将所有这些包装到一个函数或宏中。

于 2015-05-12T12:56:52.093 回答
12

@Fraser 的回答是一个很好的方法,特别是该WILL_FAIL属性是很好的建议。但是,除了将失败的目标作为主要项目的一部分之外,还有另一种方法。问题中的用例几乎就是该ctest --build-and-test模式的用途。与其将预期失败的目标作为主要构建的一部分,您可以将其放在自己单独的迷你项目中,然后将其作为测试的一部分构建。这在主项目中的外观示例如下所示:

add_test(NAME iter_conversion
    COMMAND ${CMAKE_CTEST_COMMAND}
            --build-and-test
                ${CMAKE_CURRENT_LIST_DIR}/test_iter
                ${CMAKE_CURRENT_BINARY_DIR}/test_iter
            --build-generator ${CMAKE_GENERATOR}
            --test-command ${CMAKE_CTEST_COMMAND}
)
set_tests_properties(iter_conversion PROPERTIES WILL_FAIL TRUE)

这样做的好处是它将成为项目测试结果的一部分,因此更有可能作为正常测试过程的一部分定期执行。在上面的例子中,test_iter目录本质上是它自己的独立项目。如果您需要从主构建将信息传递给它,您可以通过添加--build-options定义缓存变量来传递给它的 CMake 运行。查看最新文档以获取有关此区域的最近更正/澄清的帮助。

于 2018-06-03T11:21:29.787 回答