I have a function which takes a fractional number, and converts it to an integer combined with a binary exponent.
For example, get_whole_number(10.5)
will return => 21, 1
, where
21
is the integer1
is the power of 2
you must divide the 21
by to get the original float number (21/(2**1) = 10.5
).So far I have this function, and it works but it is inefficient and slow:
function get_whole_number(number, exponent=0) {
if(number%1 == 0) return [number, exponent];
exponent++;
number *= 2;
if(exponent >= 500) return [Math.round(number), exponent];
return get_whole_number(number, exponent);
};
console.log(
get_whole_number(1.125).join("/2^"));
To make it faster, I wanted to replace some operations, notably number%1
and Math.round
with bitwise operations.
% 1
and round()
with bitwise operators?I was thinking that I could use:
if((number & number) == number)
instead of if(number%1 == 0)
because bitwise operations ignore the fractional part of a number; but this only works sometimes.(number | number)
instead of Math.round(number)
but this just truncates the value.You can replace Math.round by double negation bitwise ~~
function get_whole_number(number, exponent=0) {
if(number%1 == 0) return [number, exponent];
exponent++;
number *= 2;
if(exponent >= 500) return [~~(number), exponent];
return get_whole_number(number, exponent);};