java 中链表的例子
时间: 2023-10-19 18:05:39 浏览: 216
下面是一个简单的 Java 链表示例:
```java
class Node {
int data;
Node next;
public Node(int data) {
this.data = data;
this.next = null;
}
}
class LinkedList {
Node head;
public LinkedList() {
this.head = null;
}
public void add(int data) {
Node newNode = new Node(data);
if (head == null) {
head = newNode;
} else {
Node current = head;
while (current.next != null) {
current = current.next;
}
current.next = newNode;
}
}
public void display() {
Node current = head;
while (current != null) {
System.out.print(current.data + " ");
current = current.next;
}
}
}
public class Main {
public static void main(String[] args) {
LinkedList list = new LinkedList();
list.add(1);
list.add(2);
list.add(3);
list.display(); // 输出: 1 2 3
}
}
```
这个示例中定义了两个类,`Node` 和 `LinkedList`。`Node` 类表示链表中的一个节点,包含数据和指向下一个节点的引用。`LinkedList` 类包含一个头节点,以及添加和展示节点的方法。在 `main` 方法中,创建了一个 `LinkedList` 对象,添加了三个节点,然后展示了这个链表中的所有节点。
阅读全文