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


当前回答

那要视情况而定。通常最简单的方法是最好的,因为它很容易理解:

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

or

int otherThing = something ? 1 : 0;

但有时使用Enum而不是布尔标志是有用的。让我们假设有同步和异步进程:

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

在Java中,enum可以有额外的属性和方法:

public enum Process {

    SYNCHRONOUS (0),
    ASYNCHRONOUS (1);

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

    public int getCode() {
        return code;
    }
}

其他回答

int val = b? 1 : 0;

如果true -> 1和false -> 0映射是你想要的,你可以这样做:

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

那要视情况而定。通常最简单的方法是最好的,因为它很容易理解:

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

or

int otherThing = something ? 1 : 0;

但有时使用Enum而不是布尔标志是有用的。让我们假设有同步和异步进程:

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

在Java中,enum可以有额外的属性和方法:

public enum Process {

    SYNCHRONOUS (0),
    ASYNCHRONOUS (1);

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

    public int getCode() {
        return code;
    }
}
int myInt = myBoolean ? 1 : 0;

^^

PS: true = 1, false = 0

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