2

我想用声明模拟一个方法A::B X(void)。定义如下。

class A {
    class B;
    virtual B X() = 0;
};

class A::B {
  public:
    auto_ptr<int> something;
};

我的模拟课,遵循这个,是相当标准的。

class mA : public A
{
  public:
    MOCK_METHOD0(X, A::B());
};

然而,编译后,这给了我这个奇怪的错误,我无法追踪它。这有什么问题?

In member function ‘virtual A::B mA::X()’:
...: error: no matching function for call to ‘A::B::B(A::B)’
...: note: candidates are: A::B::B()
...:                       A::B::B(A::B&)

更新我发现了一个失败的代码示例来证明这一点。

#include <gmock/gmock.h>
#include <memory>
using std::auto_ptr;

class thing {
  public:
    class result;
    virtual result accessor () = 0;
};

class thing::result {
    auto_ptr<int> x;   // If this just "int", error goes away.
};

namespace mock {
    class thing : ::thing {
      public:
        MOCK_METHOD0 ( accessor, result() );
    };
}
4

1 回答 1

4

如果没有 A 和 B 的定义,就很难分辨。听起来它正在尝试从临时构造 B 并且失败,因为它无法将临时绑定到非常量引用。

例如,您的复制构造函数可能定义为:

class A {
 public:
  class B {
   public:
    // This should be const, without good reason to make it otherwise.
    B(B&); 
  };
};

修复只是使其成为 const 引用。

于 2010-09-13T17:18:22.527 回答