我正在使用CMake和ctest来生成软件测试。例如,我有一个二进制foo
它正好得到三个输入参数 p1
、p2
、p3
。参数的范围可以从 0-2。检查我的二进制foo
与所有可能的p1
、p2
、p3
组合我在我的CMakeList中执行以下操作.txt
foreach(P1 0 1 2)
foreach(P2 0 1 2)
foreach(P3 0 1 2)
add_test(foo-p1${P1}-p2${P2}-p3${P3} foo ${P1} ${P2} ${P3})
endforeach(P3)
endforeach(P2)
endforeach(P3)
有没有一种更"优雅"的方式来生成所有这些不同的测试?假设foo
需要 10 个参数p1
,..., p10
这看起来很可怕。提前谢谢。
您可以使用递归函数使测试的生成"更优雅":
# generate_tests n [...]
#
# Generate test for each combination of numbers in given range(s).
#
# Names of generated tests are ${test_name}-${i}[-...]
# Commands for generated test are ${test_command} ${i} [...]
#
# Variables `test_name` and `test_command` should be set before function's call.
function(generate_tests n)
set(rest_args ${ARGN})
list(LENGTH rest_args rest_args_len)
foreach(i RANGE ${n})
set(test_name "${test_name}-${i}")
list(APPEND test_command ${i})
if(rest_args_len EQUAL 0)
add_test(${test_name} ${test_command}) # Final step
else()
generate_tests(${test_args}) # Recursive step
endif()
endforeach()
endfunction()
# Usage example 1
set(test_name foo)
set(test_command foo)
generate_tests(2 2 2) # Will generate same tests as in the question post
# Usage example 2
set(test_name bar)
set(test_command bar arg_first ) # `arg_first` will prepend generated command's parameters.
generate_tests(1 2 1 1 1 1 1 1 1 1) # 10 Ranges for generation. 3 * 2^9 = 1536 tests total.
请注意,在第二种情况下(有 10 个参数用于迭代),测试总数相对较大 (1536)。在这种情况下,CMake 配置可能会很慢。
通常,这种可扩展的测试由特殊的测试系统执行。CTest(使用命令add_test
生成测试)是一个简化的测试系统,具有一些功能。