What is the minimum register length in a processor required to store values between -64 (hex)
and 128 (hex)
, assuming 2's complement format?
I was thinking an 8 bit register since a 2's complement of 8 bit register goes from 0 to 255.
Am I correct?
Probably you've used the wrong term. 0x64 and 0x128 are very rarely used as hex values. And if you do mean those values then obviously you can't store that big range with 8 bits. 0x128 - (-0x64) = 0x18C which needs at least 9 bits to store
OTOH 64 and 128 are extremely common values, because they're powers of 2. Using the common 2's complement encoding would also cost you 9 bits (because 128 is outside an 8-bit two's complement range) and waste a lot of unused values. But in fact there's almost no 9-bit system so you'll have to use 16-bit shorts. Hence if you want to save memory, the only way is using your own encoding.
In case that you want the value only for storage, almost any encoding is appropriate. For example, using
int8_t
with -64 to 127 as normal and a special case for 128 (-128, -65... any number you prefer), or anuint8_t
from 0 to 192 and map the values linearly. Just convert to and from the correct value when load/store. Operations still need to be done in a type wider than 8 bits, but the on-disk size is only 8 bitsIf you need the value for calculation, more care should be taken. For example you could use the excess-64 encoding in which the binary 0 represents -64, 192 represents 128, or generally
a
would be represented bya - 64
. After each calculation you'll have to readjust the value for the correct representation. For example if A and B are stored asa
andb
which areA - 64
andB - 64
respectively thenA + B
will be done asa + b + 64
(as we've subtracted 64 one more than expected)