抽象工厂改进

Abstract Factory Improvements

本文关键字:工厂 抽象      更新时间:2023-10-16

编辑:我决定为未来的读者编辑这篇文章。简而言之,它显示了在模板列表中调用模板类型构造函数的可接受方法。例如,以下内容:

int main()
{
    unique_ptr<factory> real_widget_factory(new widget_factory(5.0, 6.0));
}

而不仅仅是局限于:

    unique_ptr<factory> real_widget_factory(new widget_factory()); // empty

该标准提供了您需要的所有必要基础设施。您可以删除所有这些代码。

template<typename T, typename... Args> std::unique_ptr<T> make_unique(Args&&... args) {
    return std::unique_ptr<T>(std::forward<Args>(args)...);
}
struct train_factory {
    train_factory(std::function<std::unique_ptr<locomotive>()> ml,
        std::function<std::unique_ptr<freight_car>()> mc)
        : make_locomotive(std::move(ml)),
        , make_car(std::move(mc)) {}
    std::function<std::unique_ptr<locomotive>()> make_locomotive;
    std::function<std::unique_ptr<freight_car>()> make_car;
};
train_factory make_concrete_factory(double x1, double x2) {
    return train_factory(
        [=] { return make_unique<real_locomotive>(x1); },
        [=] { return make_unique<real_car>(x2); }
    );
}
int main() {        
    auto fact = make_concrete_factory(1.0);
    auto loc = fact.make_locomotive();
}

这似乎可以满足您的所有要求。在这种情况下,函数具有绑定到工厂的参数(并且此绑定是任意的)。当然,如果您愿意,您也可以修改函数以接受参数,或者以任意方式和组合使用两者。

struct train_factory {
    std::function<std::unique_ptr<locomotive>(double)> make_locomotive;
    std::function<std::unique_ptr<freight_car>(double)> make_car;
};
train_factory make_concrete_factory() {
    return train_factory {
        [](double x1) { return make_unique<real_locomotive>(x1); },
        [](double x2) { return make_unique<real_car>(x2); }
    };
}
int main() {        
    auto fact = make_concrete_factory();
    auto loc = fact.make_locomotive(1.0);
}