我尝试检查指向传递的参数类型的指针,如下所示:
#include <iostream>
struct A{};
struct B:A{};
struct C:A{};
C *c = new C;
B *b = new B;
A *a = new A;
void foo (A *a)
{
if(dynamic_cast<B*>(a))
{
std::cout << "Type is B*" << std::endl;
//cannot dynamic_cast 'a' (of type 'struct A*') to type 'struct B*' (source type is not polymorphic)
}
if(dynamic_cast<C*>(a))
{
std::cout << "Type is C*" << std::endl;
//cannot dynamic_cast 'a' (of type 'struct A*') to type 'struct C*' (source type is not polymorphic)
}
}
但是甚至没有编译。有可能吗?我的意思是,确定我们作为函数参数传递的类型的指针是什么?
答案 0 :(得分:1)
您需要通过添加至少一个虚拟功能来更改A
的定义。最简单的解决方案:添加虚拟析构函数:
struct A
{
virtual ~A() {}
};
然后:
int main()
{
foo(b);
foo(c);
return 0;
}
输出:
Type is B*
Type is C*
在此处尝试:link。
哦,我知道,这只是一个示例代码,但是使用new
创建的这些全局变量看起来很糟糕。