我上课了:
class IComponent{};
我将其用作其他特定类的基类。
class First : public IComponent{public: void First();};
class Second : public IComponent{public: void Second();};
我有一个类Object,它有一个向量,用于存储从IComponent继承的类。
vector<IComponent*> vectorOfComponents;
在这个类中,我有一个模板方法,可以向vector添加组件。
template<typename comp>
void AddComponent() {
comp * c = new comp();
getComponents().push_back(c);
}
但是我也希望能够获得特定类型的组件,所以我创建了这个方法:
template<typename comp>
comp * GetComponent()
{
comp component;
for (int i = 0; i < GetComponentsCount(); i++)
if (typeid(*getComponents()[i]).name() == typeid(component).name())
return (comp*)getComponents()[i];
return NULL;
}
当我后来运行它时:
if (obj.GetComponent<FirstClass>() != NULL)
std::cout << "isn't null\n";
else
std::cout << "is null\n";
我知道vector可以保存IComponent继承类的推送实例,但它总是打印我为null,因为第一个typeid()显示IComponent,第二个显示我特定的继承组件。
如何从矢量中获取特定类型?我试过多态,但是没有用,或者我做错了什么:
template<typename comp>
void AddComponent() {
comp c = comp();
IComponent * i = &c;
getComponents().push_back(i);
}
答案 0 :(得分:6)
typeid
仅适用于多态类类型。对于多态的类,它需要virtual
函数。此外,如果类对象可能由基类指针拥有,则析构函数必须为virtual
,这可能就是这种情况。
所以,你应该使用,
class IComponent{
virtual ~ IComponent() = default;
};
编辑:也是,type_info::name()
返回一个C字符串指针,使用==
无法比较。使用动态库的程序可能会在不同的地址处观察到相同的name
字符串(尽管这是不常见的)。比较type_info
个对象。此外,typeid
可以将类型作为操作数;您不需要创建一个对象来使用它。所以,你可以做到,
if (typeid(*getComponents()[i]) == typeid(comp))
请注意,这会检查完全匹配的类型。要查找派生对象(允许comp
成为基类),请使用dynamic_cast
:
if (comp *p = dynamic_cast<comp *>(getComponents()[i])) {
return p;
}
答案 1 :(得分:3)
我建议您考虑另一种可能的解决方法。
因此,您可以在基类中添加函数getType
:
enum class Types {
First,
Second
};
class IComponent {
public:
virtual Types getType() const = 0;
virtual ~IComponent() = default;
};
然后在派生类中实现它:
class First : public IComponent {
public:
virtual Types getType() const override {
return Types::First;
}
};
class Second : public IComponent {
public:
virtual Types getType() const override {
return Types::Second;
}
};
之后,搜索和其他任务似乎很容易:
const auto it = std::find_if(std::cbegin(components), std::cend(components),
[](auto& ptr) {
return ptr->getType() == Types::Second;
}
);
答案 2 :(得分:0)
确保IComponent
至少有一个virtual
方法(析构函数就足够了,在处理继承时应该是虚拟的),然后使用dynamic_cast
代替typeid
}。
class IComponent{
public:
virtual ~IComponent() = default;
};
template<typename ComponentType>
ComponentType* GetComponent()
{
auto &comps = getComponents();
for (auto *item : comps) {
ComponentType *comp = dynamic_cast<ComponentType*>(item);
if (comp)
return comp;
}
return nullptr;
}