C++ - 是否可以检查多重继承中的派生 class 类型?
C++ - Is it possible to check derived class type in multiple inheritance?
在下面的代码中,我想使用 dynamic_cast
转换计算 std::vector
中 class B
对象的出现次数。但是结果是2,应该是1。发生这种情况是因为 dynamic_cast
由于继承将 class D
的对象检查为 class B
的对象。
是否有任何可能的方法来检查派生的 class 类型的多重继承而不会出现这个问题?在这种情况下,C++ 中是否有任何 Java instanceof 等价物?
// Example program
#include <iostream>
#include <string>
#include <vector>
using namespace std;
class Base{
public:
Base(){};
virtual ~Base(){};
};
class A:public virtual Base{
public:
A() {};
virtual ~A(){};
};
class B:public virtual Base{
public:
B(){};
virtual ~B(){};
};
class D: public A, public B{
public:
D(){};
virtual ~D(){};
};
int main()
{
int c=0;
std::vector<Base*> v;
std::vector<Base*>::iterator myIt;
v.push_back(new Base());
v.push_back(new A());
v.push_back(new B());
v.push_back(new D());
for(myIt=v.begin(); myIt!=v.end();myIt++)
if(B* object=dynamic_cast<B*>(*myIt))
c++;
cout<<c<<endl;
return 0;
}
您已经依赖 RTTI,因此不会产生更多成本。您可以做的是通过调用 typeid
来替换动态转换。它只会检查 exact 动态类型:
// At the top
#include <typeinfo>
#include <typeindex>
//...
std::type_index const b_ti = typeid(B);
for(myIt=v.begin(); myIt!=v.end();myIt++)
if(b_ti == typeid(**myIt)) // Need to pass an lvalue of type B, hence the double asterisk
c++;
旁注,但您应该考虑将循环替换为基于范围的 for 循环。这将使整个事情更具可读性:
for(Base *item : v)
if(b_ti == typeid(*item))
++c;
或者更好的是,命名算法:
c = std::count_if(begin(v), end(v),
[&](Base *item) { return b_ti == typeid(*item); }
);
在下面的代码中,我想使用 dynamic_cast
转换计算 std::vector
中 class B
对象的出现次数。但是结果是2,应该是1。发生这种情况是因为 dynamic_cast
由于继承将 class D
的对象检查为 class B
的对象。
是否有任何可能的方法来检查派生的 class 类型的多重继承而不会出现这个问题?在这种情况下,C++ 中是否有任何 Java instanceof 等价物?
// Example program
#include <iostream>
#include <string>
#include <vector>
using namespace std;
class Base{
public:
Base(){};
virtual ~Base(){};
};
class A:public virtual Base{
public:
A() {};
virtual ~A(){};
};
class B:public virtual Base{
public:
B(){};
virtual ~B(){};
};
class D: public A, public B{
public:
D(){};
virtual ~D(){};
};
int main()
{
int c=0;
std::vector<Base*> v;
std::vector<Base*>::iterator myIt;
v.push_back(new Base());
v.push_back(new A());
v.push_back(new B());
v.push_back(new D());
for(myIt=v.begin(); myIt!=v.end();myIt++)
if(B* object=dynamic_cast<B*>(*myIt))
c++;
cout<<c<<endl;
return 0;
}
您已经依赖 RTTI,因此不会产生更多成本。您可以做的是通过调用 typeid
来替换动态转换。它只会检查 exact 动态类型:
// At the top
#include <typeinfo>
#include <typeindex>
//...
std::type_index const b_ti = typeid(B);
for(myIt=v.begin(); myIt!=v.end();myIt++)
if(b_ti == typeid(**myIt)) // Need to pass an lvalue of type B, hence the double asterisk
c++;
旁注,但您应该考虑将循环替换为基于范围的 for 循环。这将使整个事情更具可读性:
for(Base *item : v)
if(b_ti == typeid(*item))
++c;
或者更好的是,命名算法:
c = std::count_if(begin(v), end(v),
[&](Base *item) { return b_ti == typeid(*item); }
);