从arraylist元素调用方法

时间:2014-09-14 17:58:36

标签: java reflection methods arraylist

我是Java新手,我完全坚持下去。 我必须实现“summator”类,以汇总其中的所有数字。 例如,此类包含数字

public class NumericNode <N extends Number>{    
    private N nodeValue = null;
    public NumericNode(N initValue){
        this.nodeValue = initValue;
    }
    public N getNodeValue() {
        return nodeValue;
    }
}

第二课需要做一些总结

public class NumericSummatorNode<NumericNode, T> {    
    private T nodeValue;
    private NumericNode[] inlets;
public NumericSummatorNode(NumericNode...inlets) {
        this.summ(inlets);
    }//constructor
public void summ(NumericNode... summValues) {
        ArrayList<NumericNode> numericList = new ArrayList<>();       
        int count = summValues.length;
        for (int i = 0; i < count; i++){
           numericList.add(summValues[i]);
        }
       for (int j = 0; j < count; j++){
           Method method = numericList.get(j).getClass().getMethod("getNodeValue", null);
           method.invoke(numericList.get(j), null);
        }    
     }

这是主要的:

public static void main(String[] args){
        NumericNode n1 = new NumericNode(5);
        NumericNode n2 = new NumericNode(4.3f);
        NumericNode n3 = new NumericNode(24.75d);
        NumericNode n5 = new NumericNode((byte)37);
        NumericNode n6 = new NumericNode((long)4674);
        NumericSummatorNode s1 = new NumericSummatorNode(5, 4.6f, (double)4567);
        NumericSummatorNode s2 = new NumericSummatorNode(n1, n2);
        NumericSummatorNode s3 = new NumericSummatorNode();        
        s2.summ(n1, n2);        
    }//main

所以我有一个问题是从我的数组列表中的NumericNode对象调用getNodeValue()方法。 我如何使这项工作?

1 个答案:

答案 0 :(得分:1)

您需要查看异常所说的内容,它会告诉您出了什么问题。例外情况可能是:

  

java.lang.NoSuchMethodException: java.lang.Integer.getNodeValue()

所以列表显然包含整数,即使ArrayList<NumericNode>看起来只应包含NumericNode。怎么会发生这种情况?如果我在eclipse中运行它,它也会显示此警告:

  

类型参数NumericNode隐藏NumericNode类型

这是因为该类声明为

public class NumericSummatorNode<NumericNode, T>

NumericNode是一个类型参数,遗憾的是它与NumericNode类的名称相同。这意味着它隐藏了真正的NumericNode课程,您不能再使用它了。这也是new NumericSummatorNode(5, 4.6f, (double) 4567)甚至编译的原因。您不能将任何Number传递给实际需要NumericNode的构造函数。

因此将其重组为NumericSummatorNode<T>NumericSummatorNode<N extends NumericNode, T>或任何您的意图,因此它不会隐藏任何类。它不再编译,所以你还需要调整构造函数和求和方法的类型。使用泛型也很不错,但如果你使用原始类型它们是没用的。