如何使用谷歌测试C ++通过数据的组合来运行(How to use google test for

2019-08-02 07:22发布

我有一个单元测试,我需要为数据的200个可能的组合上运行。 (生产实现了在配置文件中进行测试的数据。我知道如何嘲笑这些值)。 我喜欢写NIT单独的测试案例对每个组合,并使用通过数据循环的一些方法。 有没有使用谷歌测试C ++一些这样直接的方式?

谢谢,Karthick

Answer 1:

您可以使用GTEST的价值参数测试这一点。

在结合使用此Combine(g1, g2, ..., gN)发电机听起来像是你最好的选择。

下面的例子中填充2个vector S,中的一个int S与其他的string s,则只需一个单一的测试夹具,对于在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();
}


Answer 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";
}


文章来源: How to use google test for C++ to run through combinations of data