26

我正在尝试模拟模板化方法。

这是包含要模拟的方法的类:

class myClass
{
public:
    virtual ~myClass() {}

    template<typename T>
    void myMethod(T param);
}

如何使用 Google Mock 模拟 myMethod 方法?

4

2 回答 2

13

在以前版本的 Google Mock 中,您只能模拟虚函数,请参阅项目页面中的文档

更新的版本允许使用他们所谓的高性能依赖注入来模拟非虚拟方法

正如用户@congusbongus 在此答案下方的评论中所述:

Google Mock 依赖添加成员变量来支持方法模拟,并且由于不能创建模板成员变量,因此无法模拟模板函数

Michael Harrington 在评论中的 googlegroups 链接中提出的一种解决方法是使模板方法专门化,以调用可以模拟的普通函数。它不能解决一般情况,但可以用于测试。

struct Foo
{
    MOCK_METHOD1(GetValueString, void(std::string& value));

    template <typename ValueType>
    void GetValue(ValueType& value); 

    template <>
    void GetValue(std::string& value) {
        GetValueString(value);
    } 
};
于 2010-08-06T20:37:31.547 回答
1

这是原始帖子再次带有评论以帮助理解:

    struct Foo 
    { 
        // Our own mocked method that the templated call will end up calling.
        MOCK_METHOD3(GetNextValueStdString, void(const std::string& name, std::string& value, const unsigned int streamIndex)); 

        // If we see any calls with these two parameter list types throw and error as its unexpected in the unit under test.
        template< typename ValueType > 
        void GetNextValue( const std::string& name, ValueType& value, const unsigned int streamIndex ) 
        { 
            throw "Unexpected call."; 
        } 
        template< typename ValueType > 
        void GetNextValue( const std::string& name, ValueType& value ) 
        { 
            throw "Unexpected call."; 
        } 

        // These are the only two templated calls expected, notice the difference in the method parameter list. Anything outside
        // of these two flavors is considerd an error.
        template<> 
        void GetNextValue< std::string >( const std::string& name, std::string& value, const unsigned int streamIndex ) 
        { 
            GetNextValueStdString( name, value, streamIndex ); 
        } 
        template<> 
        void GetNextValue< std::string >( const std::string& name, std::string& value ) 
        { 
            GetNextValue< std::string >( name, value, 0 ); 
        } 
    }; 
于 2019-01-17T21:34:56.557 回答