关于强制转换:在Java中将boolean转换为int

Convert boolean to int in Java

在Java中,将EDCOX1的0度转换为EDCOX1×1的方法是最被接受的方法?


1
int myInt = myBoolean ? 1 : 0;

^ ^

ps:真=1,假=0


1
int val = b? 1 : 0;


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

然而,我不能拒绝提出一个替代的、人为的、低效的、不可读的解决方案。

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

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

编辑

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

编辑2

Java 7引入了一种新的实用函数,它直接与原始类型一起工作,EDCOX1×4(感谢SMOMOEL)

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


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


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

简单的


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


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

1
2
3
4
5
if (something) {
    otherThing = 1;
} else {
    otherThing = 0;
}

1
int otherThing = something ? 1 : 0;

但有时使用枚举而不是布尔标记很有用。假设有同步和异步进程:

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

在爪哇,EnUM可以有其他属性和方法:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
public enum Process {

    SYNCHRONOUS (0),
    ASYNCHRONOUS (1);

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

    public int getCode() {
        return code;
    }
}


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

1
int myInt = BooleanUtils.toInteger(boolean_expression);

如果boolean_expression为真,则toInteger方法返回1,否则返回0


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

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

如果要混淆,请使用:

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


让我们和Boolean.compare(boolean, boolean)玩把戏吧。函数的默认行为:如果两个值都等于,则返回0,否则返回-1

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

说明:我们知道Boolean.Compare的默认返回值是-1,如果不匹配,则so+1使返回值为0,对于False,返回值为1,对于True


1
2
3
4
5
6
public static int convBool(boolean b)
{
int convBool = 0;
if(b) convBool = 1;
return convBool;
}

然后使用:

1
MyClass.convBool(aBool);