Documentation
I took me a while to understand and research the algorithm and the purpose of the function parameters. It would be better to write some Javadoc for reviewers and future readers (which may include yourself).
Identifiers
You should use variable and function identifiers that explain their purpose (barring obvious cases like i for a loop iterator).
strtofis a function defined since C89 and does something very different from your function; that's not a good name here. What aboutFPxToFloatbecause the function converts data in a variant of theFP*formats (xinstead of*) to afloat?eis the number of bits in the integral part of the number. How aboutintegerBitsinstead?total– My first thought was “total of what?”. I usually go for a name likeresultin these cases since it holds the function result (or an intermediate result on the way to the final result) which should be well documented somewhere nearby.
Limitations
Why is
sizerestricted to ≤ 4 bytes andintegerBitsrestricted to ≤ 8. You say you want a more generic solution. I don't see a reason why size can't be 17 and integerBits 49.Currently the encoded number needs to start at offset 0 inside the
bytesarray. Since Java doesn't have C's pointer arithmetic it would be useful to offer anoffsetparameter like thereadandwritefunctions injava.io.You can still offer a convenience function with less boiler plate:
public static float FPxToFloat(byte[] bytes, int integerBits) { return FPxToFloat(bytes, 0, bytes.length, integerBits); }
Complexity
Your implementation seems overly complicated and suffers from a number of unnecessary limitations (see first point in the section above). What about this:
double result = 0;
int exponent = integerBits - Byte.SIZE;
for (; offset < size; offset++, exponent -= Byte.SIZE) {
result += Math.scalb(bytes[offset] & 0xFF, exponent);
}
return result;
scalb avoids multiplicative floating-point operations and overflow of integers that shall later be converted to floating-point. The only optimization I can think of is to work on long instead of byte if possible to use the available processor word size better (to achieve that one can wrap byte[] inside a java.nio.ByteBuffer and use a LongBuffer view onto it).
Full program (Ideone is currently acting up here so a Gist it has to be for now.)