Micro optimization or why code runs slower on 64 bit

Micro optimization or why code runs slower on 64 bit

Posted by

One of my friends works for the company doing video processing. One, he told me that the company code runs slowly on a 64-bit processor than on 32. It can be a number of reasons. I would like to talk about one most important one.

One of the problems was the size of the integers.

When your code runs on the 32-bit processor you were using int for all integer numbers. When you compile the same code on a 64-bit processor, the integer stays 32 bit.

int j;

NOTE: The size of int variable in C++ stays 32 bit when code is compiled for 64bit processor or for 32 bit.

So, when you have the following code:

  unsigned char * data = new char[n];
  int i = 10;
  data[i] = 'a';

When the code is compiled and executed on a 64-bit processor, the memory addressing is 64 bit too. As a result when doing simple and quick operation like data[i] which equals to offset_to_data+I is converted to offset_to_data + convert_to_64(i). The int I variable needs to be converted to 64 bit.

As a result, when working with memory all the int variables are converted to 64 bit. And eventually, additional code is executed each time you access memory!

Solution.

The solution is very simple. You need to convert your code to use ssize_t  type variable instead of integers and use size_t type variable instead of unsigned int.

When the code is compiled on the 32-bit processor the ssize_t type variable has the size of 32 bit.

When code is compiled on a 64-bit processor, the ssize_t type variable has the size of 64 bit.

Any issues?

One issue discovered when working with code that must compile on Windows and Linux. The problem is with printing these variables. Somehow Linux and Windows compilers use different standards when printing these numbers.

Here is a solution:

#ifdef WIN32
#define SIZE_T_FORMAT "%Iu"
#define SSIZE_T_FORMAT "%Id"
#else
#define SIZE_T_FORMAT "%zd"
#define SSIZE_T_FORMAT "%zu"
#endif
 

ssize_t num = 1234;
printf("ssize_t number: " SIZE_T_FORMAT "\n", num);

Feel free to leave comments/questions here.