我有一个单元测试,我需要运行 200 种可能的数据组合。(生产实现在配置文件中有要测试的数据。我知道如何模拟这些值)。我更喜欢为每个组合编写单独的测试用例,并使用某种方式循环数据。有没有使用谷歌测试 C++ 的直接方法?
谢谢,卡西克
我有一个单元测试,我需要运行 200 种可能的数据组合。(生产实现在配置文件中有要测试的数据。我知道如何模拟这些值)。我更喜欢为每个组合编写单独的测试用例,并使用某种方式循环数据。有没有使用谷歌测试 C++ 的直接方法?
谢谢,卡西克
为此,您可以使用 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();
}
使用一个结构数组(例如,称为Combination
)来保存您的测试数据,并在单个测试中循环遍历每个条目。EXPECT_EQ
使用代替检查每个组合,ASSERT_EQ
以便测试不会中止,您可以继续检查其他组合。
重载operator<<
aCombination
以便您可以将其输出到 a ostream
:
ostream& operator<<(ostream& os, const Combination& combo)
{
os << "(" << combo.field1 << ", " << combo.field2 << ")";
return os;
}
重载operator==
aCombination
以便您可以轻松地比较两个组合是否相等:
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";
}