Logo

Programming-Idioms

  • Go
  • Dart

Idiom #262 Count trailing zero bits

Assign to t the number of trailing 0 bits in the binary representation of the integer n.

E.g. for n=112, n is 1110000 in base 2 ⇒ t=4

t = n.bitLength - 1 - n.toRadixString(2).lastIndexOf('1');

Note that if n is 0, the result will be incorrectly 0 (should be 64 for an uint64)
t = n.toRadixString(2)
	.split('')
	.reversed
	.takeWhile((e) => e == '0')
	.length;
var t = 0;
while (n.isEven && n != 0) {
  t++;
  n = n >> 1;
}
import "math/bits"
t := bits.TrailingZeros(n)

n has type uint
#include <stdio.h>
int t = -1;
if (n)
        while (! (n & 1<<++t));
else
        t = 8*sizeof(n);

New implementation...