Java中的解释语言和对Java方法的调用



我已经在Java中实现了带有动态类型的简单解释语言。不幸的是,我遇到了以下问题。测试以下代码时:

def main() {
    def ks = Map[[1, 2]].keySet();
    return ks.size();
}

我偶然发现了以下例外:

java.lang.IllegalAccessException: class is not public: java.util.HashMap$KeySet.size()int/invokeSpecial

当然,这是真的,是因为HashMap$KeySet类具有"包"可见性。这意味着当我调用它的"size()"方法时,我从代码不可见的类中调用方法。Java很容易避免这个问题-方法keySet()返回Set类型的值,所以使用的方法size()是在公共抽象类"Set"中声明的。

我的问题是:有人知道应该如何以通用的方式处理吗?我所说的"一般"病例不仅仅是指这个简单的病例,在这个病例中,我可以遍历整个遗传链,找到这种方法的"第一个声明",还包括如下病理病例:

interface I1 {
    public void foo();
}
interface I2 {
    public void foo();
}
interface I3 {
    public void foo();
}
class C implements I1, I2, I3 {
    public void foo() { .... }
}

我现在的印象是,我可以忽略那些病理病例,选择任何匹配方法,因为如果存在这样的对象,那么它的创建是成功的,所以它的编译是成功的,因此,所有这些方法都具有相同的签名,并且由于在Java中,无法根据对象的视图(如I1、I2或I3)指定这些方法的不同实现,因此结果将始终相同。

任何帮助都将不胜感激。

好的,这是我的解决方案。这不是很好,但嘿,只要有效:

    public static Method findMethod(Class<?> cls, String name, Class<?>[] fa) {
    System.out.println("Checking class " + cls + " for method " + name);
    // since it is called recursively, we want to stop some day, and when we are
    // passed null (so most getSuperclass was called on Object.class or something similar)
    if (cls == null) {
        return null;
    }
    Method m = null;
    if ((m = findMethod(cls.getSuperclass(), name, fa)) != null) {
        return m;
    }
    // ok, if we're here, then m is null. so check if cls is public. it must be public, because
    // otherwise we won't be able to call it - we are definitely in different package. if class
    // isn't public, then check interfaces.
    if (!Modifier.isPublic(cls.getModifiers())) {
        System.out.println("Class is not public, and superclasses do not contain method " + name);
        System.out.println("Checking all interfaces");
        for (Class<?> iface: cls.getInterfaces()) {
            if ((m = findMethod(iface, name, fa)) != null) {
                return m;
            }
        }
    }
    return findMethodInClass(cls, name, fa);
}
private static Method findMethodInClass(Class<?> cls, String name, Class<?>[] fa) {
    Method m = null;
    // scan all methods and move plausible candidates to the start of an array
    Method[] mm = cls.getMethods(); 
    int n = 0;
    for (int i = 0 ; i < mm.length ; ++i) {
        if (checkMethod(mm[i], name, fa)) {
            mm[n++] = mm[i];
        }
    }
    if (n > 1) {
        System.out.println("Caveat: we have to perform more specific test. n == " + n);
        System.out.println("class: " + cls + "nname: " + name);
        for (int i = 0 ; i < n ; ++i) {
            System.out.println(mm[i]);
        }
    }
    if (n > 0) {
        m = mm[0];
    }
    return m;
}

在findMethodInClass中调用的方法checkMethod()只是检查名称是否正确,以及调用该方法的参数是否或多或少与形式参数列表匹配。它的实现留给读者一个简单的练习。有什么意见吗?

相关内容

  • 没有找到相关文章

最新更新