作为一般规则,我更喜欢在 C++ 中使用值而不是指针语义(即使用vector<Class>
而不是vector<Class*>
)。通常,不必记住删除动态分配的对象可以弥补性能上的轻微损失。
不幸的是,当您想要存储都派生自一个公共基础的各种对象类型时,值集合不起作用。请参见下面的示例。
#include <iostream>
using namespace std;
class Parent
{
public:
Parent() : parent_mem(1) {}
virtual void write() { cout << "Parent: " << parent_mem << endl; }
int parent_mem;
};
class Child : public Parent
{
public:
Child() : child_mem(2) { parent_mem = 2; }
void write() { cout << "Child: " << parent_mem << ", " << child_mem << endl; }
int child_mem;
};
int main(int, char**)
{
// I can have a polymorphic container with pointer semantics
vector<Parent*> pointerVec;
pointerVec.push_back(new Parent());
pointerVec.push_back(new Child());
pointerVec[0]->write();
pointerVec[1]->write();
// Output:
//
// Parent: 1
// Child: 2, 2
// But I can't do it with value semantics
vector<Parent> valueVec;
valueVec.push_back(Parent());
valueVec.push_back(Child()); // gets turned into a Parent object :(
valueVec[0].write();
valueVec[1].write();
// Output:
//
// Parent: 1
// Parent: 2
}
我的问题是:我可以吃蛋糕(价值语义)并吃掉它(多态容器)吗?还是我必须使用指针?