为什么这段代码无法编译?(GCC 4.7.0)
// Class with a simple getter/setter pair.
class Base {
public:
Base () : m_Value(0) { }
virtual ~Base () { }
// Getter
virtual int value () { return m_Value; }
// Setter
virtual void value (int Val) { m_Value = Val; }
private:
int m_Value;
};
// Derived class overrides the setter.
class Derived : public Base {
public:
void value (int Val) {
// do some stuff here...
}
};
int main()
{
Derived * instance = new Derived();
int x = instance->value(); // ERROR
return 0;
}
构建日志:
test.cpp: In function 'int main()':
test.cpp:29:25: error: no matching function for call to 'Derived::value()'
test.cpp:29:25: note: candidate is:
test.cpp:21:7: note: virtual void Derived::value(int)
test.cpp:21:7: note: candidate expects 1 argument, 0 provided
为什么编译器在使用 Derived* 时无法从 Base 中看到“int value()”?
改变
Derived * instance = new Derived();
到
Base * instance = new Derived();
有效(但在我的情况下我需要派生指针)。
还将基本 getter/setter 函数重命名为 getValue() 和 setValue(int) 有效。我可以对我的代码使用各种解决方法,但我只是好奇为什么这段代码无法编译。