从arraylist元素调用方法



我是Java的新手,我完全坚持了下来。我必须实现"求和器"类,对其中的所有数字求和。例如,这个类持有一个数字

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

二等舱需要做一些summ

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()方法的问题。我该如何做到这一点?

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

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>,或者任何你想要的东西,这样它就不会隐藏任何类。它将不再编译,所以您还需要调整构造函数和sum方法的类型。此外,使用泛型也很好,但如果你无论如何都在使用原始类型,它们是不是有点无用。

相关内容

  • 没有找到相关文章

最新更新