我已经为我的地图编写了一个自定义键
struct custom_key {
string id;
string sector;
bool operator==(const custom_key& other) {
// I'm needed by gtest
return id == other.id && sector == other.sector;
}
};
为此,我添加了较少的过载
namespace std
{
template<> struct less<custom_key>
{
bool operator() (const custom_key& lhs, const custom_key& rhs) const
{
return lhs.id < rhs.id;
}
};
}
我还定义了我的匹配器
MATCHER_P(match_eq, value, "")
{
return arg == value;
}
有了这个,我尝试编写一个测试
EXPECT_CALL(
*stats_,
stats(
AllOf(
Field(&data,
Contains(
Pair(
custom_key{"id", "name"},
match_eq("expected_value")
)
)
)
)
);
我已经反对它了
std::map<custom_key, std::string> my_map = { {"id", "name"}, "expected_value" }
Gtest说他没有找到匹配。我迷路了。 由于在 gtest 中广泛使用模板,我找不到调试它的任何帮助。 任何想法将不胜感激。
我在这里看到的第一个问题是你的operator==
没有const
限定符。你需要这样的东西:
bool operator==(const custom_key& other) const {
// I'm needed by gtest
return id == other.id && sector == other.sector;
}
下一个,
我已经针对 std::map<custom_key,> my_map = { {"id", "name"}, "expected_value" } 运行它
这不会编译,你需要有额外的大括号来初始化std::pair<custom_key, std::string>
之后会初始化std::map
。
您没有解释您在EXPECT_CALL中执行的所有检查,但看起来您对使用 Contains 进行容器验证有了大致的了解。
std::map 验证的完整解决方案如下所示:
#include <map>
#include <gmock/gmock.h>
#include <gtest/gtest.h>
using namespace ::testing;
using namespace std;
struct custom_key {
string id;
string sector;
bool operator==(const custom_key& other) const
{
// I'm needed by gtest
return id == other.id && sector == other.sector;
}
};
namespace std {
template <>
struct less<custom_key> {
bool operator()(const custom_key& lhs, const custom_key& rhs) const
{
return lhs.id < rhs.id;
}
};
}
TEST(MapValidation, 67704150)
{
map<custom_key, string> my_map { { { "id", "name" }, "expected_value" } };
EXPECT_THAT(my_map, Contains(Pair(custom_key { "id", "name" }, "expected_value")));
}
我也不明白为什么你在这里需要匹配器。