In C++ primer it says that "if we assign an out of range value to an object of unsigned type the result is the remainder of the value modulo the number of values the target type can hold."
It gives the example:
int main(){
unsigned char i = -1;
// As per the book the value of i is 255 .
}
Can anybody please explain it to me how this works.
Start with "the number of values the target type can hold". For
unsigned char
, what is this? The range is from 0 to 255, inclusive, so there are a total of 256 values that can be represented (or "held").In general, the number of values that can be represented in a particular unsigned integer representation is given by 2n, where n is the number of bits used to store that type.
An
unsigned char
is an 8-bit type, so 28 == 256, just as we already knew.Now, we need to perform a modulo operation. In your case of assigning -1 to
unsigned char
, you would have-1 MOD 256 == 255
.In general, the formula is: x MOD 2n, where x is the value you're attempting to assign and n is the bit width of the type to which you are trying to assign.
More formally, this is laid out in the C++11 language standard (§ 3.9.1/4). It says:
Perhaps an easier way to think about modulo arithmetic (and the description that you'll most commonly see used) is that overflow and underflow wrap around. You started with -1, which underflowed the range of an
unsigned char
(which is 0–255), so it wrapped around to the maximum representable value (which is 255).