构建时,请清理并清理此简短程序:
struct Base {
virtual int compute() { return 42; }
};
struct Derived: public Base {
int compute() override { return 23; }
};
int main() {
Base* a = new Derived;
a->compute();
}
我会使用一些自制的魔法:
g++ -g -o- -S foo.cpp | \
c++filt | \
perl -pe 's/^\.LA\w+:\r?\n//gm' | \
perl -0777 -pe 's/^\.Ldebug\w+:\r?\n(\s+\..+?\r?\n)+//gm' | \
perl -pe 's/^\.L\w+:\r?\n//gm' | \
perl -pe 's/^\s+\.(align|section|weak|loc|file|cfi).+\r?\n//gm' | \
highlight --out-format=ansi --syntax=asm
我明白了:
vtable for Derived:
.quad 0
.quad typeinfo for Derived
.quad Derived::compute()
.type vtable for Base, @object
.size vtable for Base, 24
vtable for Base:
.quad 0
.quad typeinfo for Base
.quad Base::compute()
.type typeinfo for Derived, @object
.size typeinfo for Derived, 24
我注意到我的vtable
具有以下结构:
0. ???
1. Pointer to typeinfo
2. Pointer to first virtual method
3. Pointer to second virtual method
4. ...
我不了解0
处的vtable[0]
是什么,但是在发现了这个other问题之后,我写了另一个例子来了解这个自上而下的偏移量的东西。
这个使用虚拟继承。
struct Top {
virtual void foo() { }
};
struct Left: public Top { // note: non virtual
void foo() override { }
};
struct Right: virtual public Top {
void foo() override { }
};
// note: Bottom is not a "diamond", Top is base twice
struct Bottom: public Left, public Right {
void foo() override { }
};
int main() {
Bottom bottom;
bottom.foo();
}
这次,我的vtable
如下所示:
vtable for Bottom:
.word 4
.word 0
.word typeinfo for Bottom
.word Bottom::foo()
.word 0
.word -4
.word -4
.word typeinfo for Bottom
.word non-virtual thunk to Bottom::foo()
所以我能够解释成为0
的第一个4
,但是我仍然无法解释vtable的新结构。
我正在寻找更详细的答案,以解释后面的示例。