我正在为 MiniJava 编写一个 TypeChecker,ExpOp 需要检查两个输入的表达式是否都是整数,以使用加号、减号、时间。
如何在if
包含两个表达式的语句中编写一行代码并检查它们是否都是 ( instanceof
)的实例Integer
?
这就是我现在所拥有的:
n.e1.accept(this) n.e2.accept(this) instanceof Integer
感谢你的帮助。
我正在为 MiniJava 编写一个 TypeChecker,ExpOp 需要检查两个输入的表达式是否都是整数,以使用加号、减号、时间。
如何在if
包含两个表达式的语句中编写一行代码并检查它们是否都是 ( instanceof
)的实例Integer
?
这就是我现在所拥有的:
n.e1.accept(this) n.e2.accept(this) instanceof Integer
感谢你的帮助。
instanceof
您可以制作一个使用 , 的反射对应物的实用函数Class.isInstance()
:
public static boolean allInstanceOf(Class<?> cls, Object... objs) {
for (Object o : objs) {
if (!cls.isInstance(o)) {
return false;
}
}
return true;
}
你像这样使用它:
allInstanceOf(String.class, "aaa", "bbb"); // => true
allInstanceOf(String.class, "aaa", 123); // => false
instanceof
是二元运算符:它只能有两个操作数。
您的问题的最佳解决方案是 Java 的布尔 AND 运算符:&&
。
它可用于计算两个布尔表达式:<boolean_exp1> && <boolean_exp2>
. true
当且仅当两者都true
在评估时才会返回。
if (n.e1.accept(this) instanceof Integer &&
n.e2.accept(this) instanceof Integer) {
...
}
话虽如此,另一种可能的解决方案是将它们都放在try
/catch
块内,当其中一个不是Integer
a时,ClassCastException
将被抛出。
try {
Integer i1 = (Integer) n.e1.accept(this);
Integer i2 = (Integer) n.e2.accept(this);
} catch (ClassCastException e) {
// code reached when one of them is not Integer
}
但不建议这样做,因为它是一种称为Programming By Exception的已知反模式。
我们可以向您展示一千种方法(创建方法、创建类和使用多态性),您只需一行就可以做到这一点,但没有一种比使用&&
operator更好或更清晰。除此之外的任何事情都会使您的代码更加混乱且难以维护。你不想要那个,是吗?
如果您遇到任何一个instanceof
类都可以满足您的需求的情况,您可以使用||
(逻辑或)运算符:
if (n.e1.accept(this) instanceof Integer ||
n.e2.accept(this) instanceof Boolean) {
...
}