如何使用谷歌测试C ++来运行数据组合

时间:2012-11-03 20:07:36

标签: c++ googletest

我有一个单元测试,我需要为200种可能的数据组合运行。 (生产实现具有要在配置文件中测试的数据。我知道如何模拟这些值)。我更喜欢为每个组合编写单独的测试用例,并使用某种方式循环数据。是否有一些使用谷歌测试C ++的直接方式?

谢谢, Karthick

2 个答案:

答案 0 :(得分:17)

您可以使用gtest的Value-parameterized tests

将此与Combine(g1, g2, ..., gN)生成器结合使用听起来是您最好的选择。

以下示例填充2个vectorintstring的其中一个,然后只使用一个测试夹具,为每个可用值组合创建测试在2 vector s:

#include <iostream>
#include <string>
#include <tuple>
#include <vector>
#include "gtest/gtest.h"

std::vector<int> ints;
std::vector<std::string> strings;

class CombinationsTest :
    public ::testing::TestWithParam<std::tuple<int, std::string>> {};

TEST_P(CombinationsTest, Basic) {
  std::cout << "int: "        << std::get<0>(GetParam())
            << "  string: \"" << std::get<1>(GetParam())
            << "\"\n";
}

INSTANTIATE_TEST_CASE_P(AllCombinations,
                        CombinationsTest,
                        ::testing::Combine(::testing::ValuesIn(ints),
                                           ::testing::ValuesIn(strings)));

int main(int argc, char **argv) {
  for (int i = 0; i < 10; ++i) {
    ints.push_back(i * 100);
    strings.push_back(std::string("String ") + static_cast<char>(i + 65));
  }
  testing::InitGoogleTest(&argc, argv);
  return RUN_ALL_TESTS();
}

答案 1 :(得分:2)

使用结构数组(称为Combination)来保存测试数据,并在单个测试中循环每个条目。使用EXPECT_EQ代替ASSERT_EQ检查每个组合,以便测试不会中止,您可以继续检查其他组合。

operator<<重载Combination,以便您可以将其输出到ostream

ostream& operator<<(ostream& os, const Combination& combo)
{
    os << "(" << combo.field1 << ", " << combo.field2 << ")";
    return os;
}

operator==重载Combination,以便您可以轻松地比较两种组合的相等性:

bool operator==(const Combination& c1, const Combination& c2)
{
    return (c1.field1 == c2.field1) && (c1.field2 == c2.field2);
}

单元测试看起来像这样:

TEST(myTestCase, myTestName)
{
    int failureCount = 0;
    for (each index i in expectedComboTable)
    {
        Combination expected = expectedComboTable[i];
        Combination actual = generateCombination(i);
        EXPECT_EQ(expected, actual);
        failureCount += (expected == actual) ? 0 : 1;
    }
    ASSERT_EQ(0, failureCount) << "some combinations failed";
}