AI Applications in C++: How costly are virtual functions? What are the possible optimizations?

前端 未结 15 1348
慢半拍i
慢半拍i 2020-12-23 12:43

In an AI application I am writing in C++,

  1. there is not much numerical computation
  2. there are lot of structures for which run-time polymorphism is ne
15条回答
  •  北荒
    北荒 (楼主)
    2020-12-23 13:13

    Virtual functions are very efficient. Assuming 32 bit pointers the memory layout is approximately:

    classptr -> [vtable:4][classdata:x]
    vtable -> [first:4][second:4][third:4][fourth:4][...]
    first -> [code:x]
    second -> [code:x]
    ...
    

    The classptr points to memory that is typically on the heap, occasionally on the stack, and starts with a four byte pointer to the vtable for that class. But the important thing to remember is the vtable itself is not allocated memory. It's a static resource and all objects of the same class type will point to the exactly the same memory location for their vtable array. Calling on different instances won't pull different memory locations into L2 cache.

    This example from msdn shows the vtable for class A with virtual func1, func2, and func3. Nothing more than 12 bytes. There is a good chance the vtables of different classes will also be physically adjacent in the compiled library (you'll want to verify this is you're especially concerned) which could increase cache efficiency microscopically.

    CONST SEGMENT
    ??_7A@@6B@
       DD  FLAT:?func1@A@@UAEXXZ
       DD  FLAT:?func2@A@@UAEXXZ
       DD  FLAT:?func3@A@@UAEXXZ
    CONST ENDS
    

    The other performance concern would be instruction overhead of calling through a vtable function. This is also very efficient. Nearly identical to calling a non-virtual function. Again from the example from msdn:

    ; A* pa;
    ; pa->func3();
    mov eax, DWORD PTR _pa$[ebp]
    mov edx, DWORD PTR [eax]
    mov ecx, DWORD PTR _pa$[ebp]
    call  DWORD PTR [edx+8]
    

    In this example ebp, the stack frame base pointer, has the variable A* pa at zero offset. The register eax is loaded with the value at location [ebp], so it has the A*, and edx is loaded with the value at location [eax], so it has class A vtable. Then ecx is loaded with [ebp], because ecx represents "this" it now holds the A*, and finally the call is made to the value at location [edx+8] which is the third function address in the vtable.

    If this function call was not virtual the mov eax and mov edx would not be needed, but the difference in performance would be immeasurably small.

提交回复
热议问题