5

我对 Google 模拟 EXPECT_CALL 宏有疑问。以下代码给出了 EXPECT_CALL 语句的编译错误:

错误 C2660: 'testing::Eq' : 函数不接受 1 个参数 \gmock-1.6.0\include\gmock\gmock-matchers.h

基本上,我有一个基本容器和该容器的基本数据对象,包括抽象和缓存,它有一个指向基本容器的指针和一个引用基本数据对象的 Add 方法。我创建了一个基本程序来演示这个问题。如果有人可以提供帮助,非常感谢。

#include "gtest/gtest.h"
#include "gmock/gmock.h"

namespace
{
class BaseData
{
    public:
    virtual void SetValue(const int value) = 0;
};

class BaseContainer
{ 
    public:
    virtual void Add(const BaseData& data) = 0;
};



class MockContainer : public BaseContainer
{
public:
    MOCK_METHOD1(Add, void (const BaseData& data));
};

class MockData : public BaseData
{
public:
    MOCK_METHOD1(SetValue, void (int));
};

class Cache
{
    private:
    BaseContainer* container;
    public:
    Cache(BaseContainer* c)
    {
        container = c;
    }
    ~Cache()
    {
    }

    void AddToContainer(const BaseData& data)
    {
        container->Add(data);
    }
};

class CacheTestFixture : public ::testing::Test
{
protected:
    CacheTestFixture() {}

    virtual ~CacheTestFixture() {}

    virtual void SetUp() {}

    virtual void TearDown() {}

};

TEST_F(CacheTestFixture, TestAdd)
{
    MockData data;
    MockContainer container;
    EXPECT_CALL(container, Add(data)).WillRepeatedly(::testing::Return());
    Cache c(&container);
    ASSERT_NO_THROW(c.AddToContainer(data));
}
}

int _tmain(int argc, _TCHAR* argv[])
{
::testing::InitGoogleMock(&argc, argv);

return RUN_ALL_TESTS();
}
4

3 回答 3

11
EXPECT_CALL(container, Add(testing::Ref(data))).WillRepeatedly(::testing::Return());

要将模拟实现作为基类引用发送,testing::Eq需要==在抽象基类上实现运算符,这是不可取的。

于 2013-09-18T15:06:48.483 回答
2

您需要使用的是需要使用的 Matcher,请在Google Mock Cookbook::testing::Eq(ByRef(data)) ::testing::Eq上阅读有关 matchers 的信息。

于 2013-09-17T19:18:08.043 回答
0

黑洞的答案是正确的,你必须使用

::testing::Eq(ByRef(data))

但是为了获得正确的 copmarison,您必须为您的 BaseData 定义 operator== ,因为它是一个抽象类。您可以在测试代码中将其作为免费功能执行:

bool operator==(const BaseData& left, const BaseData& right)
{
    return ...;
}

我曾经问过类似的问题,请看这里

于 2017-12-18T15:24:16.033 回答