您不简单地使用的任何原因:
int sign = (int) Math.signum(a); //1 cast for floating-points, 2 for Integer types
此外,大多数 Number 实现都有一个 signum 方法,该方法采用该类型的基元并返回 int,因此您可以避免强制转换以获得额外的性能。
int sign1 = Integer.signum(12); //no casting
int sign2 = Long.signum(-24l); //no casting
它将返回 +1 / 0 / -1,并且已经过优化以提供良好的性能。
作为参考,您可以查看 openJDK 中的实现。相关位包括:
public static float signum(float f) {
return (f == 0.0f || isNaN(f)) ? f : copySign(1.0f, f);
}
public static boolean isNaN(float f) {
return (f != f);
}
public static float copySign(float magnitude, float sign) {
return rawCopySign(magnitude, (isNaN(sign) ? 1.0f : sign));
}
public static float rawCopySign(float magnitude, float sign) {
return Float.intBitsToFloat((Float.floatToRawIntBits(sign)
& (FloatConsts.SIGN_BIT_MASK))
| (Float.floatToRawIntBits(magnitude)
& (FloatConsts.EXP_BIT_MASK
| FloatConsts.SIGNIF_BIT_MASK)));
}
static class FloatConsts {
public static final int SIGN_BIT_MASK = -2147483648;
public static final int EXP_BIT_MASK = 2139095040;
public static final int SIGNIF_BIT_MASK = 8388607;
}