C++ 不允许您创建类型仅在运行时知道的对象(使用 new 运算符)。但是,您可以使用工厂方法模式的简化形式作为解决方法。
这是一个例子:
// Type IDs that are associated with a widget type
enum WidgetTypeId {
dashboard1WidgetTypeId,
dashboard2WidgetTypeId
};
// Factory method
QWidget* createWidget(WidgetTypeId type) {
switch (type)
{
case dashboard1WidgetTypeId:
return new DashBoard0;
case dashboard2WidgetTypeId:
return new DashBoard1;
}
}
void addDashboard(QListWidgetItem* item) {
int index = listWidget->row(item);
QWidget* widget = createWidget(command.atIndex(index).getWidgetTypeId());
widget->show();
}
不是很漂亮,我知道。如果您的小部件是可克隆的,您可以使用 astd::map
而不是丑陋的 switch 语句。这种替代方法将是原型模式的一个示例。下面是一些显示这种方法的示例代码:
class WidgetFactory
{
public:
QWidget* create(const std::string& name) {
return prototypes_[name]->clone();
}
void addPrototype(const std::string& name, QWidget* prototype) {
prototypes_[name] = prototype;
}
private:
std::map<std::string, QWidget*> prototypes_;
}
WidgetFactory factory;
factory.addPrototype("DashBoard0", new DashBoard0);
factory.addPrototype("DashBoard1", new DashBoard1);
void addDashboard(QListWidgetItem* item) {
int index = listWidget->row(item);
QWidget* widget = factory.create(command.atIndex(index).getWidgetTypeName());
widget->show();
}
C++ 不是一种非常动态的语言。它具有有限的 RTTI 功能,几乎没有 C# 中的反射功能。这就是为什么你必须求助于像工厂方法和抽象工厂这样的模式。
附录
我还没有意识到 Qt 可能会提供超出 C++ 中通常可用的运行时类信息(我只将 Qt 用于简单的实用程序应用程序,所以我不知道该框架中可用的所有花里胡哨)。考虑到这一点,我搜索并找到了这个关于如何通过类名实例化 Qt 对象的邮件列表讨论。不过,我不知道该解决方案是否适用于插件对象。