在Java中将类转换为泛型时出现重复字段错误



我写了一段代码来用java实现链表,但当我将其转换为泛型类时,我遇到了一堆错误。

public class LinkedList<E> {
static class Node<E> {
E data;             //encountering error here - "Duplicate field LinkedList.Node<E>.data"
Node<E> next;
public Node<E>(E data){   // error - Syntax error on token ">", Identifier expected after this token
this.data = data;
next = null;
}
} 
Node<E> head;
void add(E data){
Node<E> toAdd = new Node<E>(data);   //error - The constructor LinkedList.Node<E>(E) is undefined
if(head == null){
head = toAdd;
return;
}
Node<E> temp = head;
while(temp.next != null){
temp = temp.next;
}
temp.next = toAdd; 
}
void print(){
Node<E> temp = head;
while(temp != null)
{
System.out.print(temp.data + " ");
temp = temp.next;
}
}
boolean isEmpty(){
return head == null;
}
}

当我没有制作类通用时,代码运行良好

构造函数中不包含泛型。只是:

public Node(E data) { ... }

static class Node<E> {}中的E声明变量。它就像CCD_ 3中的CCD_。所有其他地方(好吧,除了public class LinkedList<E>,它声明了一个完全不同的类型变量,具有完全相同的名称-但Node类是静态的,所以这里没关系(都在使用它。你不需要多次重新声明E是一个东西。你也不需要每次使用int foo;时都重复:你只需要重复一次。

public class LinkedList<E> {
Node<E> head;
void add(E data) {
Node<E> toAdd = new Node<E>(data);
if (head == null) {
head = toAdd;
return;
}
Node<E> temp = head;
while (temp.next != null) {
temp = temp.next;
}
temp.next = toAdd;
}
void print() {
Node<E> temp = head;
while (temp != null) {
System.out.print(temp.data + " ");
temp = temp.next;
}
}
boolean isEmpty() {
return head == null;
}
public static class Node<E> {
E data;
Node<E> next;
public Node(E data) {
this.data = data;
next = null;
}
}
}

试试这个。构造函数未获取类型。

相关内容

  • 没有找到相关文章

最新更新