我需要获取一些抽象类型的新实例,而我想到的两件事是抽象工厂和克隆智能指针。哪一个看起来更好?工厂方法似乎更普遍,但过于冗长,尤其是当抽象对象嵌套时。克隆指针更紧凑,但似乎有点难看,因为我们需要创建一个“虚拟”对象,用作模板来创建其他对象。
class IObject {
public:
virtual ~IObject() {}
};
class Foo: public IObject {
public:
struct Config {};
explicit Foo(const Config& config): config_(config) {}
private:
Config config_;
};
抽象工厂:
class IObjectFactory {
public:
virtual ~IObjectFactory() {}
virtual std::unique_ptr<IObject> Create() const = 0;
};
class FooFactory: public IObjectFactory {
public:
explicit FooFactory(const Foo::Config& config): config_(config) {}
std::unique_ptr<IObject> Create() const {
return std::unique_ptr<IObject>(new Foo(config_));
}
private:
Foo::Config config_;
};
void DoSomething(const std::shared_ptr<IObjectFactory>& factory) {
std::vector<std::shared_ptr<IObject>> objects;
for (int i = 0; i < 10; ++i) {
objects.push_back(factory->Create());
}
// Do something with the created objects
}
int main() {
auto factory = std::make_shared<FooFactory>(Foo::Config());
DoSomething(factory);
}
克隆指针(one of the implementations):
template <typename T> class clone_ptr; // deep cloning smart pointer
void DoSomething(const clone_ptr<IObject>& object) {
std::vector<clone_ptr<IObject>> objects;
for (int i = 0; i < 10; ++i) {
objects.push_back(object);
}
// Do something with the created objects
}
int main() {
clone_ptr<IObject> object(new Foo(Foo::Config()));
DoSomething(object);
}
答案 0 :(得分:0)
更简单的事情是你没有提供的选项。将虚拟clone
函数添加到基础对象,并使用它来克隆对象。
我不太清楚你提供的两种方法是如何解决同样的问题的......指针方法很难做到正确,智能指针必须做 magic 来跟踪是内部存储的能够克隆的真实类型(将 magic 视为类型擦除)。如上所示的工厂要求您知道要克隆的类型。