在Java中将boolean转换为int

时间:2010-09-25 11:48:18

标签: java casting boolean int

在Java中将boolean转换为int的最常用方法是什么?

12 个答案:

答案 0 :(得分:512)

int myInt = myBoolean ? 1 : 0;

^^

PS:true = 1且false = 0

答案 1 :(得分:149)

int val = b? 1 : 0;

答案 2 :(得分:53)

使用三元运算符是最简单,最有效,最易读的方法,可以满足您的需求。我鼓励你使用这个解决方案。

但是,我无法抗拒提出一种替代的,人为的,低效的,不可读的解决方案。

int boolToInt(Boolean b) {
    return b.compareTo(false);
}
嘿,人们喜欢投票给这么酷的答案!

修改

顺便说一下,我经常看到从布尔到int的转换,其唯一目的是对两个值进行比较(通常,在compareTo方法的实现中)。 Boolean#compareTo是处理这些特定情况的方法。

修改2

Java 7引入了一个新的实用程序函数,可以直接使用基本类型,Boolean#compare(谢谢 shmosel

int boolToInt(boolean b) {
    return Boolean.compare(b, false);
}

答案 3 :(得分:45)

boolean b = ....; 
int i = -("false".indexOf("" + b));

答案 4 :(得分:25)

public int boolToInt(boolean b) {
    return b ? 1 : 0;
}

简单

答案 5 :(得分:18)

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

答案 6 :(得分:12)

这取决于具体情况。通常最简单的方法是最好的,因为它很容易理解:

if (something) {
    otherThing = 1;
} else {
    otherThing = 0;
}

int otherThing = something ? 1 : 0;

但有时使用Enum而不是布尔标志会很有用。假设存在同步和异步过程:

Process process = Process.SYNCHRONOUS;
System.out.println(process.getCode());

在Java中,枚举可以有其他属性和方法:

public enum Process {

    SYNCHRONOUS (0),
    ASYNCHRONOUS (1);

    private int code;
    private Process (int code) {
        this.code = code;
    }

    public int getCode() {
        return code;
    }
}

答案 7 :(得分:9)

如果您使用Apache Commons Lang(我认为很多项目都使用它),您可以像这样使用它:

int myInt = BooleanUtils.toInteger(boolean_expression); 
如果toInteger为真,则

boolean_expression方法返回1,否则返回0

答案 8 :(得分:8)

如果您想要true -> 1false -> 0映射,则可以执行以下操作:

boolean b = true;
int i = b ? 1 : 0; // assigns 1 to i.

答案 9 :(得分:6)

如果要混淆,请使用:

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

答案 10 :(得分:1)

Boolean.compare(boolean, boolean)玩弄技巧。函数的默认行为:如果两个值都相等,则返回0,否则-1

public int valueOf(Boolean flag) {
   return Boolean.compare(flag, Boolean.TRUE) + 1;
}

解释:我们知道,如果不匹配,Boolean.compare的默认返回值为-1,因此+1为{{1}的 0 返回值False

1

答案 11 :(得分:0)

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

然后使用:

MyClass.convBool(aBool);