链表——两两交换链表中的节点
Given 1->2->3->4, you should return the list as 2->1->4->3.
要求:给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。不能修改结点的 val 值,O(1) 空间复杂度。
【解法1】递归
- basecase:只要一个结点或空链表无需操作。
- 假设返回了已交换好的链表,一共只剩下三个结点,head,next,swapPairs(next.next);交换为next,head,swapPairs(next.next),再返回新的头结点next即可。
public ListNode swapPairs(ListNode head) {
if(head == null || head.next == null){
return head;
}
//一共三个结点head,next,swapPairs(next.next)
//交换成next,head,swapPairs(next.next)
ListNode next = head.next;
head.next = swapPairs(next.next);
next.next = head;
//返回给上一级已经完成交换的部分
return next;
}
//时间复杂度O(N),空间复杂度O(N)
【解法2】迭代
创建哑结点dummyhead,令dummyhead.next = head,令pre表示到达当前结点,每次需要交换pre后面的两个结点,如果pre后面只有一个或者没有结点,则不需要交换。
public ListNode swapPairs(ListNode head){
if(head == null || head.next == null){
return head;
}
//添加哑节点dummyhead
ListNode dummyhead = new ListNode(-1);
dummyhead.next = head;
ListNode pre = dummyhead;
while(pre.next != null && pre.next.next != null){
ListNode p1 = pre.next;
ListNode p2 = pre.next.next;
ListNode next = p2.next;
p1.next = next;
p2.next = p1;
pre.next = p2;
pre = p1;
}
return dummyhead.next;
}
//时间复杂度O(N),空间复杂度O(1)