如何将基数 class 的双指针转换为派生 class 的双指针?
How to cast double-pointers of a base class to double-pointer of derived class?
如果我将双指针传递给 class 或函数,如何将其转换为派生类型的双指针或对派生类型指针的引用,以便我可以访问其成员?
class A
{
};
class B : public A
{
public:
void Method() {};
};
A *a_ptr = new B{};
void Function(A *const *a_ptr_ptr)
{
B *const &b_ptr_ptr = dynamic_cast<B *const>(*a_ptr_ptr);
b_ptr_ptr->Method();
};
int main()
{
Function(&a_ptr);
}
If I pass a double-pointer to a class or function how can I cast it to either a double-pointer of a derived type or a reference to a pointer of a derived type
你不能。
so that I can access its members?
您不需要指向指针的指针来访问成员。你需要的是一个指针。您可以通过指针间接指向指针来获得它。事实上,这就是您在示例程序中尝试的。该程序的问题是您不能 dynamic_cast 指向 non-polymorphic 类型的指针,例如 A
。您可以通过使 A
多态化或使用 static_cast
来解决这个问题——失去验证传递的指针是否确实指向 B
.
的基数的能力
或者,您可以间接通过它并转换引用,而不是转换为指向对象的指针。示例:
assert(a_ptr_ptr && *a_ptr_ptr):
B& b = static_cast<B&>(**a_ptr_ptr);
b.Method();
如果我将双指针传递给 class 或函数,如何将其转换为派生类型的双指针或对派生类型指针的引用,以便我可以访问其成员?
class A
{
};
class B : public A
{
public:
void Method() {};
};
A *a_ptr = new B{};
void Function(A *const *a_ptr_ptr)
{
B *const &b_ptr_ptr = dynamic_cast<B *const>(*a_ptr_ptr);
b_ptr_ptr->Method();
};
int main()
{
Function(&a_ptr);
}
If I pass a double-pointer to a class or function how can I cast it to either a double-pointer of a derived type or a reference to a pointer of a derived type
你不能。
so that I can access its members?
您不需要指向指针的指针来访问成员。你需要的是一个指针。您可以通过指针间接指向指针来获得它。事实上,这就是您在示例程序中尝试的。该程序的问题是您不能 dynamic_cast 指向 non-polymorphic 类型的指针,例如 A
。您可以通过使 A
多态化或使用 static_cast
来解决这个问题——失去验证传递的指针是否确实指向 B
.
或者,您可以间接通过它并转换引用,而不是转换为指向对象的指针。示例:
assert(a_ptr_ptr && *a_ptr_ptr):
B& b = static_cast<B&>(**a_ptr_ptr);
b.Method();