第二关——链表反转拓展
1.指定区间反转
Leecode92:给你单链表的头指针 head 和两个整数 left 和 right ,其中 left <= right 。请你反转从位置 left 到位置 right 的链表节点,返回反转后的链表 。
原题链接
1.1 思路
对应上一篇文章,我们可以分成两种解决办法:头插法、穿针引线法
1.2 头插法
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
|
def reverseBetween(self,head,left,right): dummy_node = ListNode(-1) dummy_node.next = head pre = deummy_node for _ in range(left -1): pre = pre.next cur = pre.next for _ in range(right-left): next = cur.next cur.next = next.next next.next = pre.next pre.next = next return dummy_node.next
|
1.3 穿针引线法
2.两两交换链表中的节点
LeeCode24.给一个链表,两两交换其中相邻的节点,并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题。
方法一 递归
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21
|
var swapPairs = function(head) { if(head === null ||head.next ===null){ return head } const newhead = head.next; head.next = swapPairs(newhead.next) newhead.next = head; return newhead };
|
方法二 迭代
这里涉及到深浅拷贝问题
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45
|
function ListNode(val, next) { this.val = val === undefined ? 0 : val; this.next = next === undefined ? null : next; }
const node1 = new ListNode(1); const node2 = new ListNode(2); const node3 = new ListNode(3); const node4 = new ListNode(4);
node1.next = node2; node2.next = node3; node3.next = node4;
var swapPairs = function (head) { const dummyHead = new ListNode(0); dummyHead.next = head; let temp = dummyHead; while (temp.next !== null && temp.next.next !== null) { const node1 = temp.next; const node2 = temp.next.next; temp.next = node2; node1.next = node2.next; node2.next = node1; temp = node1; } return dummyHead.next; };
function sort(currentNode) { while (currentNode !== null) { console.log(currentNode.val); currentNode = currentNode.next; } }
sort(swapPairs(node1));
|
3.单链表加一
4.链表加法