instanceof用于多种类型

时间:2013-04-12 21:47:48

标签: java integer instanceof

我正在为MiniJava编写TypeChecker,并且ExpOp需要检查两个输入的表达式是否都是Integer,使用加号,减去次数。

如何在if语句中编写一行代码,其中包含表达式并检查它们是否都是(instanceofInteger的实例?

这就是我现在所拥有的:

n.e1.accept(this) n.e2.accept(this) instanceof Integer

感谢您的帮助。

3 个答案:

答案 0 :(得分:7)

您可以创建一个使用instanceofClass.isInstance()的反射对象的实用程序函数:

public static boolean allInstanceOf(Class<?> cls, Object... objs) {
    for (Object o : objs) {
        if (!cls.isInstance(o)) {
            return false;
        }
    }
    return true;
}

您使用它like this

allInstanceOf(String.class, "aaa", "bbb"); // => true
allInstanceOf(String.class, "aaa", 123); // => false

答案 1 :(得分:5)

instanceof是一个二元运算符:它只能有两个操作数。

问题的最佳解决方案是Java的布尔AND运算符:&&

它可用于评估两个布尔表达式:<boolean_exp1> && <boolean_exp2>。 当且仅当评估时两者都为true时,才会返回true

if (n.e1.accept(this) instanceof Integer &&
    n.e2.accept(this) instanceof Integer) {
    ...
}

话虽如此,另一种可能的解决方案是将它们都放在try / catch块内,当其中一个不是IntegerClassCastException将被抛出。

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
}

但不推荐这样做,因为它是一种称为异常编程的已知反模式。

我们可以向您展示一千种方法(创建方法,创建类和使用多态),您可以使用一行来实现这一点,但它们都不会比使用&&运算符更好或更清晰< / strong>即可。除此之外的任何内容都会使您的代码更加混乱且难以维护。你不想那样,是吗?

答案 2 :(得分:0)

如果遇到instanceof类中的任何一个都满足您的需求的情况,则可以使用||(逻辑或)运算符:

if (n.e1.accept(this) instanceof Integer ||
n.e2.accept(this) instanceof Boolean) {
...
}