I know assigning a number greater than 2^32
has a chance to generate an ArithmeticException
but today while I was programming:
int x = 65535
System.out.println(x * x);
Output: -131071
So no exception but an unexpected result.
I know assigning a number greater than 2^32
has a chance to generate an ArithmeticException
but today while I was programming:
int x = 65535
System.out.println(x * x);
Output: -131071
So no exception but an unexpected result.
I think you are confusing with how many bits the type int which is 32 bits to the numbers which it represent which is between:
-2 147 483 648 <= int <= 2 147 483 647
Because it represents also negative numbers and there for can represent only 2^31
In java, int is primitive signed 32 bit which has
max value = 2.147.483.647
and
min value = -2.147.483.648
Result of your multiplication is 4.294.836.225.
Since u use int primitive type, If it overflows
, it goes back to the minimum value
and continues from there. If it underflows
, it goes back to the maximum value
and continues from there.
If u want to catch an exception, you can use Math
class or Integer
class.
try
{
int c = Math.multiplyExact(a,b);
} catch (ArithmeticException ex)
{
System.err.println("int is too small, falling back to long.");;
}
Overflow
Multiplication is not protected against overflows.
What you see here is integer overflow. If you take the biggest integer
Integer.MAX_VALUE
and add1
you get the smallest integerINTEGER.MIN_VALUE
:The same happens here because
Range of
int
In Java
int
is a signed-32-bit value. In particular, it is not unsigned.Exception
A multiplication does not throw an
ArithmeticException
. To my knowledge this only happens if you divide by0
, since this should not be possible by definition. Also see the documentation of the exception.For a protected multiplication consider using
Math#multiplyExact
(documentation).