我正在使用ListNode作为内部类创建一个类,Doubly Linked List。
public class DoublyLinkedList<Integer> {
/** Return a representation of this list: its values, with adjacent
* ones separated by ", ", "[" at the beginning, and "]" at the end. <br>
*
* E.g. for the list containing 6 3 8 in that order, return "[6, 3, 8]". */
public String toString() {
String s;
ListNode i = new ListNode(null, null, *new Integer(0)*);
为什么我收到错误,无法实例化类型Integer
?
答案 0 :(得分:8)
类定义中的Integer
是泛型类型参数,它隐藏了Integer
包装类。
因此,您在类中使用的new Integer(0)
将Integer
作为类型参数,而不是Integer
类型本身。因为,对于类型参数T
,您不能只执行 - new T();
,因为该类型在该类中是通用的。编译器不知道它究竟是什么类型。所以,代码无效。
尝试将课程更改为:
public class DoublyLinkedList<T> {
public String toString() {
ListNode i = new ListNode(null, null, new Integer(0));
return ...;
}
}
它会起作用。但我怀疑你真的想要这个。我想你想在泛型类中实例化type参数。嗯,这不可能直接。
在实例化该类时传递实际的类型参数:
DoublyLinkedList<Integer> dLinkedList = new DoublyLinkedList<>();
P.S:如果你清楚地解释你的问题陈述会更好,并在问题中加入更多的背景。