java数据结构单链表的深拷贝怎么实现?
时间: 2024-09-15 12:13:03 浏览: 52
在Java中,单链表的深拷贝通常涉及到创建一个新的链表,其中每个节点都是原始链表中相应节点的完全独立副本,包括其值和引用。这里是一个简单的示例,假设我们有一个Node类:
```java
class Node {
int data;
Node next;
// 构造函数和 getters / setters...
}
```
你可以通过递归的方式来实现深拷贝:
```java
public class DeepCopyList {
public static Node deepCopy(Node original) {
if (original == null) return null; // 如果原节点为空,直接返回null
// 创建新的节点并复制原始节点的数据
Node copied = new Node(original.data);
// 深拷贝原始节点的下一个节点
copied.next = deepCopy(original.next);
return copied;
}
}
```
在这个`deepCopy`方法中,对于每一个新创建的节点,都会生成一个新的节点,并将其`next`指针指向递归调用的结果。这样就实现了链表的深拷贝。
相关问题
java单链表深拷贝实现
要实现单链表的深拷贝,需要遍历原链表,并对每个节点进行复制操作。以下是Java实现单链表深拷贝的示例代码:
```java
class ListNode {
int val;
ListNode next;
ListNode(int val) {
this.val = val;
this.next = null;
}
}
public class LinkedListDeepCopy {
public static ListNode deepCopy(ListNode head) {
if (head == null) {
return null;
}
// 创建新的头节点
ListNode newHead = new ListNode(head.val);
// 创建指针用于遍历新链表
ListNode newNode = newHead;
// 创建指针用于遍历原链表
ListNode curr = head.next;
// 遍历原链表,并复制每个节点
while (curr != null) {
newNode.next = new ListNode(curr.val);
newNode = newNode.next;
curr = curr.next;
}
return newHead;
}
public static void main(String[] args) {
// 创建原链表
ListNode head = new ListNode(1);
ListNode node2 = new ListNode(2);
ListNode node3 = new ListNode(3);
head.next = node2;
node2.next = node3;
// 进行深拷贝
ListNode deepCopyHead = deepCopy(head);
// 输出拷贝后的链表值
while (deepCopyHead != null) {
System.out.print(deepCopyHead.val + " ");
deepCopyHead = deepCopyHead.next;
}
}
}
```
java数据结构单链表adt
单链表是一种常见的数据结构,它由一系列节点组成,每个节点包含一个数据元素和一个指向下一个节点的引用。单链表的优点是插入和删除操作的时间复杂度为O(1),但是访问操作的时间复杂度为O(n)。下面是Java实现单链表ADT的示例代码:
```java
public class LinkedList {
private Node head;
private int size;
private class Node {
int data;
Node next;
public Node(int data) {
this.data = data;
this.next = null;
}
}
public LinkedList() {
head = null;
size = 0;
}
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;
}
size++;
}
public int get(int index) {
if (index < 0 || index >= size) {
throw new IndexOutOfBoundsException();
}
Node current = head;
for (int i = 0; i < index; i++) {
current = current.next;
}
return current.data;
}
public void remove(int index) {
if (index < 0 || index >= size) {
throw new IndexOutOfBoundsException();
}
if (index == 0) {
head = head.next;
} else {
Node current = head;
for (int i = 0; i < index - 1; i++) {
current = current.next;
}
current.next = current.next.next;
}
size--;
}
public int size() {
return size;
}
}
```
阅读全文