2

我的两个类: Parent 和 Child 是相同的(现在)并且具有相同的构造函数。

class Parent{
protected:
  string name;
public:
  Parent(string &n, vector <int> &v) {
  /* read n and v into vars */
};

class Child : public Parent {
public:
  Child(string &n, vector <int> &v) : Parent(n, v) {}
};
vector <int> val;
string nam, numb;
if(val[0] == 0) 
  Child* ptr = new Child(nam, val);
else
  Parent* ptr = new Parent(nam, val);

myMap.insert(Maptype::value_type(numb, ptr) );

将 Child* ptr 对象作为 Parent* ptr 对象传递是否合法?我听说它们具有相同的指针类型,所以应该没问题。那为什么我会收到警告:未使用的变量“ptr”警告:未使用的变量“ptr”错误:“ptr”未在此范围内声明?我的程序仅适用于 Parent 类。我觉得我没有继承父母的权利。

4

2 回答 2

6

该代码创建了两个名为 的单独变量ptr,它们的范围都非常有限。

考虑以下:

if(val[0] == 0) 
  Child* ptr = new Child(nam, val);
else
  Parent* ptr = new Parent(nam, val);

它相当于:

if(val[0] == 0) {
  Child* ptr = new Child(nam, val);
} else {
  Parent* ptr = new Parent(nam, val);
}
// neither of the `ptr' variables is in scope here

这是修复代码的一种方法:

Parent* ptr;
if(val[0] == 0) 
  ptr = new Child(nam, val);
else
  ptr = new Parent(nam, val);

一旦你这样做了,你还需要确保它Parent有一个虚拟析构函数。请参阅何时使用虚拟析构函数?

于 2012-06-10T08:25:14.200 回答
-1

因为您仅在 if 语句中声明 ptr,所以请尝试在 if 语句上方声明它,这样它可能就像 aix answer

于 2012-06-10T11:21:22.407 回答