java.lang.Boolean 非常适合处理三元逻辑,因为它可以完全具有三种状态:Boolean.TRUE(情况如此)、Boolean.FALSE(情况并非如此)和 null(我们不知道)是什么情况)。使用 switch 语句来处理这个问题将是一个不错的设计,例如。在这个构造函数中:
public class URN {
private String value = null;
public URN (String value, Boolean mode){
switch (mode){
case TRUE:
if(!isValidURN(value))
throw new MalformedURLException("The string could not be parsed.");
this.value = value;
break;
case FALSE:
this.value = value.concat(checkByteFor(value));
break;
case null:
if(isValidURN(value))
this.value = value;
else
this.value = value.concat(checkByteFor(value));
break;
}
return;
}
不幸的是,Java 不允许这样做,并抱怨“无法打开布尔类型的值”。实现这一点会导致混淆的控制流和不好的代码:
public URN (String value, Boolean mode){
Boolean valid = null;
if (!Boolean.FALSE.equals(mode)){
valid = isValidURN(value);
if (Boolean.TRUE.equals(mode) && !valid)
throw new MalformedURLException("The string could not be parsed.");
if(Boolean.TRUE.equals(valid)) {
this.value = value;
return;
} }
this.value = value.concat(checkByteFor(value));
}
这样做需要实现一个枚举类(在现实生活中,它比这个例子更复杂,因为必须重写 .equals() 以便 Trinary.NULL.equals(null) 变为真)并转换:
private enum Trinary {TRUE, FALSE, NULL};
public URN (String value, Boolean toConvert, String x){
Trinary mode;
if(toConvert == null)
mode = Trinary.NULL;
else
mode = toConvert.equals(Boolean.TRUE) ? Trinary.TRUE : Trinary.FALSE;
switch (mode){
case TRUE:
if(!isValidURN(value)) throw new MalformedURLException("The string could not be parsed.");
this.value = value;
break;
case FALSE:
this.value = value.concat(checkByteFor(value));
break;
case NULL:
if(isValidURN(value))
this.value = value;
else
this.value = value.concat(checkByteFor(value));
break;
}
return;
}
在我看来,这是更好的解决方案,因为更具可读性,但是要转换的原始方法大小的另一半很烦人,在现实生活中,您必须关心两个具有相同语义的不同空值。有更好的方法吗?