例如,在main函数中,我想获取用户的输入。根据输入,我将创建Rectangle
或Circle
,它们是Object
的子类。如果没有输入(或未知),那么我将只创建一个通用对象。
class Object
{
public:
Object();
void Draw();
private:
....
};
class Rectangle:public Object
{
public:
Rectangle();
.... //it might have some additional functions
private:
....
};
class Circle:public Object
{
public:
Circle();
.... //it might have some additional functions
private:
....
};
主要功能:
string objType;
getline(cin, objType);
if (!objType.compare("Rectangle"))
Rectangle obj;
else if (!objType.compare("Circle"))
Circle obj;
else
Object obj;
obj.Draw();
当然,上面的代码不起作用,因为我无法在If语句中实例化一个对象。所以我试过这样的事情。
Object obj;
if (!objType.compare("Rectangle"))
obj = Rectangle();
else if (!objType.compare("Circle"))
obj = Circle();
obj.Draw();
这段代码会编译,但它不会做我想要的。由于某种原因,对象不是以子类的方式启动的(例如,我在子类中设置了一些Object的成员变量,特别是向量)。但是,当我在Child类构造函数中放置一个断点时,它确实在那里运行。
那么我应该如何在一些if语句中将实例化对象作为子类?
答案 0 :(得分:10)
你可以在if
语句中创建自动对象,但它们会在创建它们的范围的末尾被销毁,因此它们不适用于此问题。
您无法执行obj = Rectangle()
的原因是slicing。
你必须有一个指向Object
的指针。指向基础对象的指针也可以指向子对象的实例。然后,您可以使用if
在new
内动态创建对象(使用new
创建的对象忽略范围,只有在指向它们的指针上调用delete
时才会销毁该对象,完成时delete
:
Object* obj = NULL; // obj doesn't point to anything yet
string objType;
getline(cin, objType);
if (objType == "Rectangle")
obj = new Rectangle; // make obj point to a dynamic Rectangle
else if (objType == "Circle")
obj = new Circle; // make obj point to a dynamic Circle
else
obj = new Object; // make obj point to a dynamic Object
obj->Draw(); // draw whatever shape obj really points to
delete obj; // deallocate dynamic object
或者,您可以使用智能指针,然后您不必担心手动释放对象:
std::unique_ptr<Object> obj(NULL); // obj doesn't point to anything yet
string objType;
getline(cin, objType);
if (objType == "Rectangle")
obj.reset(new Rectangle); // make obj point to a dynamic Rectangle
else if (objType == "Circle")
obj.reset(new Circle); // make obj point to a dynamic Circle
else
obj.reset(new Object); // make obj point to a dynamic Object
obj->Draw(); // draw whatever shape obj really points to
// the unique_ptr takes care of delete'ing the object for us
// when it goes out of scope