简单的C++继承示例,出了什么问题?

Simple C++ Inheritance Example, What's wrong?

本文关键字:什么 问题 C++ 继承 简单      更新时间:2023-10-16

可能的重复项:
派生类中名称相同但签名不同的函数

我正在尝试编译它,但我无法弄清楚代码出了什么问题。 我正在使用MacOSX Snow Leopard和Xcode g ++版本4.2.1。 有人可以告诉我问题是什么吗? 我认为这应该编译。 这不是我的作业,我是一名开发人员...至少我以为我是,直到我被这个难倒了。 我收到以下错误消息:

error: no matching function for call to ‘Child::func(std::string&)’
note: candidates are: virtual void Child::func()

这是代码:

#include <string>
using namespace std;
class Parent
{
public:
  Parent(){}
  virtual ~Parent(){}
  void set(string s){this->str = s;}
  virtual void func(){cout << "Parent::func(" << this->str << ")" << endl;}
  virtual void func(string& s){this->str = s; this->func();}
protected:
  string str;
};
class Child : public Parent
{
public:
  Child():Parent(){}
  virtual ~Child(){}
  virtual void func(){cout << "Child::func(" << this->str << ")" << endl;}
};
class GrandChild : public Child
{
public:
  GrandChild():Child(){}
  virtual ~GrandChild(){}
  virtual void func(){cout << "GrandChild::func(" << this->str << ")" << endl;}
};
int main(int argc, char* argv[])
{
  string a = "a";
  string b = "b";
  Child o;
  o.set(a);
  o.func();
  o.func(b);
  return 0;
}

Child::func()的存在隐藏Parent::func的所有重载,包括Parent::func(string&)。您需要一个"using"指令:

class Child : public Parent
{
public:
  using Parent::func;
  Child():Parent(){}
  virtual ~Child(){}
  virtual void func(){cout << "Child::func(" << this->str << ")" << endl;}
};

编辑:或者,您可以自己指定正确的范围:

int main(int argc, char* argv[])
{
  string a = "a";
  string b = "b";
  Child o;
  o.set(a);
  o.func();
  o.Parent::func(b);
  return 0;
}