在Java中,我們通常使用鏈表(LinkedList)來實現(xiàn)鏈表數(shù)據(jù)結(jié)構(gòu)。要添加一個新節(jié)點到鏈表中,首先需要創(chuàng)建一個新的節(jié)點對象,然后將其添加到鏈表的末尾。以下是一個簡單的示例,展示了如何在Java中向鏈表中添加新節(jié)點:
// 定義鏈表節(jié)點類
class ListNode {
int val;
ListNode next;
ListNode(int x) {
val = x;
next = null;
}
}
public class LinkedListExample {
public static void main(String[] args) {
// 創(chuàng)建鏈表
ListNode head = new ListNode(1);
head.next = new ListNode(2);
head.next.next = new ListNode(3);
// 添加新節(jié)點到鏈表末尾
head = addNode(head, 4);
// 打印鏈表
ListNode current = head;
while (current != null) {
System.out.print(current.val + " -> ");
current = current.next;
}
System.out.println("null");
}
// 向鏈表中添加新節(jié)點的方法
public static ListNode addNode(ListNode head, int val) {
// 創(chuàng)建新節(jié)點
ListNode newNode = new ListNode(val);
// 如果鏈表為空,將新節(jié)點設置為頭節(jié)點
if (head == null) {
return newNode;
}
// 遍歷鏈表,找到最后一個節(jié)點
ListNode current = head;
while (current.next != null) {
current = current.next;
}
// 將新節(jié)點添加到鏈表末尾
current.next = newNode;
return head;
}
}
在這個示例中,我們首先創(chuàng)建了一個簡單的鏈表,然后使用addNode
方法向鏈表中添加了一個值為4的新節(jié)點。最后,我們遍歷鏈表并打印其內(nèi)容。