我正在编写一些代码来显示继承。 为此,我想通过一个基类来说明它,该基类包含一个指针向量,可以容纳派生类的对象指针。
我收到此错误,即Parents类(基类)的基本函数“ void addChild(string nm,string sm)”中的“ Child类未声明”。我确实知道这可能超出了基类的范围。 有人可以为我提供解决方案吗,我仍然可以从基类中实例化派生类的对象。 我想在基类中完成所有工作。 请说明是否可行,这是一个好习惯。如果没有,请提出一些建议。
这是我的代码:
#include <iostream>
#include <string>
#include <vector>
using namespace std;
class Parents // base class
{
vector <Parents*> fam;
protected:
string firstName;
string lastName;
public:
Parents()
{
//default constructor
}
Parents(string fn, string ln)
{
firstName = fn;
lastName = ln;
}
void displayChildren()
{
if (fam.empty())
{
cout << "Vector is empty" << endl;
}
else
{
for (unsigned int i = 0; i < fam.size(); i++)
{
std::cout, fam.at(i);
}
}
}
void displayParentsInfo(Parents& const par)
{
cout << "First name : " << par.firstName << endl;
cout << "Last name : " << par.lastName << endl;
}
void addChild(string nm, string sm)
{
Child* c1 = new Child(nm, sm);
fam.push_back(c1);
}
};
class Child : public Parents //derived class
{
string firstname;
string surname;
public:
Child()
{
//default constructor
}
Child(string a, string b)
{
firstname = a;
surname = b;
}
//~Child()
//{
//destructor called
//}
void displayChildInfo(Child & const c)
{
cout << "Child's firstname : " << c.firstname;
cout << "Child's surname : " << c.surname;
}
};
干杯!
答案 0 :(得分:1)
只需将函数的定义移出类的定义即可:
class Parents // base class
{
...
void addChild(string nm, string sm);
};
class Child : public Parents //derived class
{
...
};
void Parents::addChild(string nm, string sm)
{
Parents* c1 = new Child(nm, sm);
fam.push_back(c1);
}
根据良好实践,最好有一个非成员函数来准备Child
并返回一个指向它的指针,并添加如下内容:
void Parents::addToFam(Parents* c1)
{
fam.push_back(c1);
}