1

通过将指向派生类型对象的指针分配给其基类的指针,我发现您可以将派生类中的方法重新转换为基类的指针,即使基类没有任何此类功能(虚拟、隐藏或其他)。它可以被取消引用并从那里调用,它“正常工作”。但我想确保它不是 UB。这是UB吗?它是便携式的吗?

可编译示例:

#include <cstdio>

struct A { /* no foo method */ };
struct B : public A { void foo(void){printf("foo");} };

typedef void (B::*B_FOO_PTR)( void );
typedef void (A::*A_FOO_PTR)( void );

int main ( void ) {
    B b;
    A* a = &b;

    // address of a and b are identical

    B_FOO_PTR b_ptr = &B::foo;
    // (a->*b_ptr)(); // COMPILE ERROR: calling B method from A. Not Allowed, but...

    A_FOO_PTR a_ptr = reinterpret_cast<A_FOO_PTR>(b_ptr);
    (a->*a_ptr)(); // works, outputs "foo"

    return 0;
}
4

1 回答 1

4

这是未定义的行为。唯一可以调用结果的指向成员函数的转换是:

  • 往返转换,以及
  • 指向基成员的指针指向派生成员的指针。

您尝试从该列表中排除的第二点的倒数。

于 2019-07-08T23:28:15.743 回答