Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How much does pointer indirection affect efficiency?

Tags:

c++

pointers

Is dereferencing a pointer notabley slower than just accessing that value directly? I suppose my question is - how fast is the deference operator?

like image 352
user965369 Avatar asked Nov 02 '11 16:11

user965369


Video Answer


1 Answers

Going through a pointer indirection can be much slower because of how a modern CPU works. But it has nothing much to do with runtime memory.

Instead, speed is affected by prediction and cache.

Prediction is easy when the pointer has not been changed or when it is changed in predictable ways (for example, increment or decrement by four in a loop). This allows the CPU to essentially run ahead of the actual code execution, figure out what the pointer value is going to be, and load that address into cache. Prediction becomes impossible when the pointer value is built by a complex expression like a hash function.

Cache comes into play because the pointer might point into memory that isn't in cache and it will have to be fetched. This is minimized if prediction works but if prediction is impossible then in the worst case you can have a double impact: the pointer is not in cache and the pointer target is not in cache either. In that worst-case the CPU would stall twice.

If the pointer is used for a function pointer, the CPU's branch predictor comes into play. In C++ virtual tables, the function values are all constant and the predictor has it easy. The CPU will have the code ready to run and in the pipeline when execution goes through the indirect jump. But, if it is an unpredictable function pointer the performance impact can be heavy because the pipeline will need to be flushed which wastes 20-40 CPU cycles with each jump.

like image 162
Zan Lynx Avatar answered Sep 20 '22 15:09

Zan Lynx