在Java中,将布尔值转换为int值的最常用方法是什么?


当前回答

import org.apache.commons.lang3.BooleanUtils;
boolean x = true;   
int y= BooleanUtils.toInteger(x);

其他回答

public static int convBool(boolean b)
{
int convBool = 0;
if(b) convBool = 1;
return convBool;
}

然后使用:

convBool(aBool);

如果你想混淆,可以使用这个:

System.out.println( 1 & Boolean.hashCode( true ) >> 1 );  // 1
System.out.println( 1 & Boolean.hashCode( false ) >> 1 ); // 0

使用三元运算符是最简单、最有效、最易读的方法。我鼓励您使用这个解决方案。

然而,我忍不住要提出一种替代的、做作的、低效的、不可读的解决方案。

int boolToInt(Boolean b) {
    return b.compareTo(false);
}

嘿,人们喜欢投票给这么酷的答案!

Edit

顺便说一下,我经常看到从布尔型到int型的转换仅仅是为了比较两个值(通常是在compareTo方法的实现中)。布尔#compareTo是在这些特定情况下的方法。

编辑2

Java 7引入了一个新的实用函数,可以直接处理基本类型:Boolean#compare(感谢shmosel)

int boolToInt(boolean b) {
    return Boolean.compare(b, false);
}
public int boolToInt(boolean b) {
    return b ? 1 : 0;
}

简单的

import org.apache.commons.lang3.BooleanUtils;
boolean x = true;   
int y= BooleanUtils.toInteger(x);