我有一个对象具有枚举类型的成员。
enum class Color { Blue=1, Green=2, Red=3};
struct A {
int f;
Color color;
A(int x, Color c) : f(x), color(c) {}
};
struct B{
...
std::unique_ptr<A> makeObject(size_t index, Color col) {
... // other unrelated parsing and verification code
auto obj = std::make_unique<A>(index, col);
return obj;
}
...
};
我可以有两个对象,例如:
B b;
auto first = b.makeObject(2, Color::Blue);
auto second = std::make_unique<A>(2, Color::Blue);
比较两个成员,例如
if (first->color == second->color) {...}
但是,如果我编写的Google测试具有类似的内容
TEST(StuffTest, makeObjectTest) {
B stuffObject;
auto retStuff = stuffObject.makeObject(1, Color::Red);
auto testStuff = std::make_unique<A>(1, Color::Red);
EXPECT_EQ(retStuff->f, testStuff->f);
EXPECT_EQ(retStuff->color, testStuff->color);
}
测试失败:
Expected equality of these values:
retStuff->color
Which is: 4-byte object <62-01 00-00>
testStuff->color
Which is: 4-byte object <11-01 00-00>
[ FAILED ]...
我可能会缺少什么?
答案 0 :(得分:3)
在检查值是否相等时没有问题:
EXPECT_EQ(retStuff->color, testStuff->color);
完全按照预期的方式工作。
您的问题最有可能是您从类B
调用的函数
auto retStuff = stuffObject.makeObject(1, Color::Red);
此功能无法执行您期望的功能。您必须在那里进行调查,而不是询问EXPECT_EQ()
是否正常工作。
答案 1 :(得分:0)
在googletest
中检查两个枚举类是否相等的方式是使用EXPECT_EQ()
。
此测试通过:
TEST(StuffTest, makeObjectTest) {
auto retStuff = std::make_unique<A>(1, Color::Red);
auto testStuff = std::make_unique<A>(1, Color::Red);
EXPECT_EQ(retStuff->f, testStuff->f);
EXPECT_EQ(retStuff->color, testStuff->color);
}
某些输出(clang,macOS):
[----------] 1 test from StuffTest
[ RUN ] StuffTest.makeObjectTest
[ OK ] StuffTest.makeObjectTest (0 ms)
[----------] 1 test from StuffTest (0 ms total)
问题必须像其他人指出的那样在stuffObject.makeObject(1, Color::Red)
调用中出现。如果您需要更多帮助,则必须显示此makeObject
函数的作用。