搜索参数空间时避免嵌套的 for 循环

Avoid nested for-loops when searching parameter space

本文关键字:for 循环 嵌套 参数空间 搜索      更新时间:2023-10-16

在编写单元测试时,我经常想调用一个带有参数组合的函数。例如,我有一个声明为

void tester_func(int p1, double p2, std::string const& p3);

和一些选定的参数

std::vector<int> vec_p1 = { 1, 2, 666 };
std::vector<double> vec_p2 = { 3.14159, 0.0001 };
std::vector<std::string> vec_p3 = { "Method_Smart", "Method_Silly" };

我目前所做的只是

for(auto const& p1 : vec_p1)
    for(auto const& p2 : vec_p2)
        for(auto const& p3 : vec_p3)
            tester_func(p1, p2, p3);

但是,Sean Parent建议避免显式循环,而是使用std::算法。在上述情况下,如何遵循此建议?有什么成语吗?编写执行此操作的可变参数模板的最干净方法是什么?没有 C++11 功能的最佳方法是什么?

@Oberon的评论中提到了非常好的解决方案。

但我认为这个问题有许多不同的解决方案。这是我的解决方案:

#include <tuple>
#include <type_traits>
template <class TestFunction, class... Containers, class... Types>
typename std::enable_if<sizeof...(Containers) == sizeof...(Types)>::type
TestNextLevel
    (
        TestFunction testFunction,
        const std::tuple<Containers...>& containersTuple,
        const Types&... parameters
    )
{
    testFunction(parameters...);
}
template <class TestFunction, class... Containers, class... Types>
typename std::enable_if<(sizeof...(Containers) > sizeof...(Types))>::type
TestNextLevel
    (
        TestFunction testFunction,
        const std::tuple<Containers...>& containersTuple,
        const Types&... parameters
    )
{
    for (const auto& element : std::get<sizeof...(Types)>(containersTuple))
    {
        TestNextLevel(testFunction, containersTuple, parameters..., element);
    }
}
template <class TestFunction, class... Containers>
void TestAllCases
    (
        TestFunction testFunction,
        const Containers&... containers
    )
{
    TestNextLevel
        (
            testFunction,
            std::tuple<const Containers&...>(containers...)
        );
}

使用示例:

TestAllCases(tester_func, vec_p1, vec_p2, vec_p3);