我想使用switch语句检查一定范围的数字,我在一些地方说了类似case 1...5
或case (score >= 120) && (score <=125)
可以工作,但我仍然会继续出现错误。
我想要的是如果数字是1600-1699之间的,那么做些事。
我可以执行if语句,但认为是时候开始使用switch了。
在JVM级别switch
语句与if语句根本不同。
开关是关于编译时常数,必须在编译时全部指定它们,以便javac编译器产生有效的字节码。
在Java中,switch
语句不支持范围。必须指定所有值(可以利用掉大小写)和default
大小写。 if
语句必须处理其他任何事情。
据我所知,对于Java中的切换案例,范围是不可能的。你可以做类似
的事情switch (num) {
case 1: case 2: case 3:
//stuff
break;
case 4: case 5: case 6:
//more stuff
break;
default:
}
但是到那时,您最好还是坚持使用if语句。
您可以使用三元运算符,? :
int num = (score >= 120) && (score <=125) ? 1 : -1;
num = (score >= 1600) && (score <=1699 ) ? 2 : num;
switch (num) {
case 1 :
break;
case 2 :
break;
default :
//for -1
}
如果您really要使用switch语句-这是一种使用enum
创建伪范围的方法,因此可以切换枚举。
首先,我们需要创建范围:
public enum Range {
TWO_HUNDRED(200, 299),
SIXTEEN_HUNDRED(1600, 1699),
OTHER(0, -1); // This range can never exist, but it is necessary
// in order to prevent a NullPointerException from
// being thrown while we switch
private final int minValue;
private final int maxValue;
private Range(int min, int max) {
this.minValue = min;
this.maxValue = max;
}
public static Range from(int score) {
return Arrays.stream(Range.values())
.filter(range -> score >= range.minValue && score <= range.maxValue)
.findAny()
.orElse(OTHER);
}
}
然后是您的开关:
int num = 1630;
switch (Range.from(num)) {
case TWO_HUNDRED:
// Do something
break;
case SIXTEEN_HUNDRED:
// Do another thing
break;
case OTHER:
default:
// Do a whole different thing
break;
}