題目連結: 力扣、GeeksforGeeks
解題思路
我們需要使用兩個指針,分別指向鍊錶的頭部和尾部。
方法
步驟 1: 使用快慢指標法找到鍊錶的中點。
步驟 2: 將鍊錶分成兩部分:前半部 firstHalf
和後半部 secondHalf
。
步驟 3: 使用 reverse()
函數反轉鍊錶的後半部。
步驟 4: 最後一步,將反轉後的後半部和前半部合併,得到最終結果。
複雜度
代碼
<code class="language-java">/** * Definition for singly-linked list. * public class ListNode { * int val; * ListNode next; * ListNode() {} * ListNode(int val) { this.val = val; } * ListNode(int val, ListNode next) { this.val = val; this.next = next; } * } */ class Solution { public ListNode reverse(ListNode head){ ListNode prev = null; ListNode curr = head; ListNode next = head.next; while(next!=null){ curr.next = prev; prev = curr; curr = next; next = next.next; } curr.next = prev; return curr; } public void reorderList(ListNode head) { if(head == null || head.next == null ) return; // 使用快慢指针法找到链表的中点 ListNode slow = head; ListNode fast = head.next; while(fast!=null && fast.next!=null){ slow = slow.next; // 移动一次 fast = fast.next.next; // 移动两次 } // 将链表分成两部分 ListNode secondHalf = slow.next; // 将前半部分的尾节点设置为 null,断开连接 slow.next = null; // 反转后半部分 secondHalf = reverse(secondHalf); ListNode firstHalf = head; ListNode temp = secondHalf; // 合并两个链表 while(secondHalf!=null){ temp = temp.next; secondHalf.next = firstHalf.next; firstHalf.next = secondHalf; firstHalf = secondHalf.next; secondHalf = temp; } return; } }</code>
更多解法請造訪: GitHub
力扣個人首頁: 力扣: devn007
GeeksforGeeks 個人首頁: GFG: devnirwal16
以上是再訂購清單:LC 媒體、GFG 硬質的詳細內容。更多資訊請關注PHP中文網其他相關文章!