复杂链表的复制 java

复杂链表的复制 java

剑指offer题目

用java实现,ac通过

Q:有一个复杂链表,其结点除了有一个m_pNext指针指向下一个结点外,还有一个m_pSibling指向链表中的任一结点或者NULL。请完成函数ComplexNode* Clone(ComplexNode* pHead),以复制一个复杂链表。


A:一开始想这道题毫无思路,如果蛮来,首先创建好正常的链表,然后考虑sibling这个分量,则需要O(n^2)的时间复杂度,然后一个技巧便可以巧妙的解答此题。看图便知。

首先是原始的链表

复杂链表的复制 java_第1张图片

然后我们还是首先复制每一个结点N为N*,不同的是我们将N*让在对应的N后面,即为

复杂链表的复制 java_第2张图片

然后我们要确定每一个N*的sibling分量,非常明显,N的sibling分量的next就是N*的sibling分量。

最后,将整个链表拆分成原始链表和拷贝出的链表。

这样,我们就解决了一个看似非常混乱和复杂的问题。

package niuke.easy;

public class CloneComplexLinkedList {
	public class RandomListNode {
		int label;
		RandomListNode next = null;
		RandomListNode random = null;

		RandomListNode(int label) {
			this.label = label;
		}
	}

	public static void main(String[] args) {

	}

	public RandomListNode Clone(RandomListNode pHead) {

		CloneList(pHead);
		ConstructSibling(pHead);

		return Split(pHead);
	}

	private RandomListNode Split(RandomListNode pHead) {
		RandomListNode orign, cloneHead = null, clone = null;
		orign = pHead;
		if (orign != null) {
			cloneHead = orign.next;
			orign.next = cloneHead.next; 
			orign = cloneHead.next;
			clone = cloneHead;
		}

		while (orign != null) {
			RandomListNode temp = orign.next;
			orign.next = temp.next;
			orign = orign.next;
			clone.next = temp;
			clone = temp;
		}

		return cloneHead;
	}

	/**
	 * 
	 * @param pHead
	 */
	private void ConstructSibling(RandomListNode pHead) {
		RandomListNode pre = pHead;
		RandomListNode clone;
		while (pre != null) {
			clone = pre.next;
			if (pre.random != null) {
				clone.random = pre.random.next;
			}
			pre = clone.next;
		}
	}

	/**
	 * 复制一份链表.
* 将链表中的每一个节点在自己的后面复制一个
* 原链表:1234 复制之后:11223344 * * @param pHead */ private void CloneList(RandomListNode pHead) { RandomListNode current = pHead; while (current != null) { RandomListNode temp = new RandomListNode(current.label); temp.next = current.next; temp.random = null; current.next = temp; current = temp.next; } } }


你可能感兴趣的:(剑指offer,链表,剑指offer)