2023-12-26 05:00:04

将Long转换为Integer

如何将一个长值转换为一个整数值在Java?


当前回答

Integer i = theLong != null ? theLong.intValue() : null;

或者如果你不需要担心null:

// auto-unboxing does not go from Long to int directly, so
Integer i = (int) (long) theLong;

在这两种情况下,您都可能遇到溢出(因为Long类型可以比Integer类型存储更大的范围)。

Java 8有一个helper方法来检查溢出(在这种情况下你会得到一个异常):

Integer i = theLong == null ? null : Math.toIntExact(theLong);

其他回答

Integer i = theLong != null ? theLong.intValue() : null;

或者如果你不需要担心null:

// auto-unboxing does not go from Long to int directly, so
Integer i = (int) (long) theLong;

在这两种情况下,您都可能遇到溢出(因为Long类型可以比Integer类型存储更大的范围)。

Java 8有一个helper方法来检查溢出(在这种情况下你会得到一个异常):

Integer i = theLong == null ? null : Math.toIntExact(theLong);

除了@Thilo接受的答案,数学。toIntExact在可选方法链中也很好用,尽管它只接受int作为参数

Long coolLong = null;
Integer coolInt = Optional.ofNullable(coolLong).map(Math::toIntExact).orElse(0); //yields 0

在Java 8中,你可以使用Math.toIntExact。如果你想处理空值,使用:

Integer intVal = longVal == null ? null : Math.toIntExact(longVal);

这个方法的好处是,如果实参(long)溢出int型,它会抛出一个arithmeexception。

你需要对它进行类型转换。

long i = 100L;
int k = (int) i;

请记住,long类型的范围比int型更大,因此可能会丢失数据。

如果您谈论的是盒装类型,那么请阅读文档。

使用toIntExact(long value)返回long参数的值,如果值溢出int值则抛出异常。它只适用于API等级24或以上。

int id = Math.toIntExact(longId);