How can I use the "builtin" function __builtin_ctzll in a VS C++ Project?

766 Views Asked by At

I have found out about __builtin_ctzll to count trailing zeros of a 64bit int really fast through the post Intrinsic to count trailing zero bits in 64-bit integers?.

I'm a beginner to C++ and don't know how to include this function.

I tried to use #include, but that didn't make any sense. I found out that this "builtin" comes from GNU, but I didn't know what to do with that information. How can I prepare the right library/extension for my project?

3

There are 3 best solutions below

0
On

As the name suggests, "builtin" functions are literally built into the compiler that provides them. They're just special identifiers that the compiler provides special behavior for. You do need to load any additional libraries or include any header files to use them. The compiler will natively recognize them and provide their special, compiler-specific behavior.

The only way to use a particular builtin function is to use the compiler that provides it. For example, the function __builtin_ctzl is provided as a builtin in GCC. If you use GCC as your compiler, you will be able to use it without any additional steps. If you use a different compiler, you'll need to look into a different solution, such as a similar builtin that your compiler provides or a similar library function.

4
On

For unsigned types, you can use the standard/portable C++20 function std::countr_zero.

It'll return the same thing as GCC's __builtin_ctzll, but note:

If the value is 0 when using __builtin_ctzll, the result is undefined, while std::countr_zero(0ull) will return the number of bits in the integer.


In VS2022, you'll find the language setting in the menu Project\Properties\Configuration Properties\General C++ Language Standard. It's set to C++14 by default. Change that to C++20 (or Preview if you'd like to try out some C++23 features too).

5
On

If you're using MSVC, you can use its _BitScanReverse64 builtin (or "compiler intrinsic" as it likes to call them) to replicate the behavior of GCC's __builtin_ctzll. This function provides the index of the first non-zero bit position, which is equivalent to the number of trailing zeros.

So,

int pos = __builtin_ctzll(x);

can be replaced by

unsigned long pos;
unsigned char is_nonzero = _BitScanReverse64(&pos, x);

This intrinsic is also arguably nicer than __builtin_ctzll since it forces a check for whether the argument is zero. GCC's __builtin_ctzll puts the burden to include a check for that case on the user, and leaves behavior for a zero argument undefined.

Note that the similarly named __lzcnt family of intrinsics in MSVC counts leading zeros (like GCC's clz family), not trailing zeros. For whatever reason, MSVC doesn't provide a like-named family of __tzcnt intrinsics.