LeetCode-143-重排連結串列

雄獅虎豹發表於2022-01-27

重排連結串列

題目描述:給定一個單連結串列 L 的頭節點 head ,單連結串列 L 表示為:

L0 → L1 → … → Ln-1 → Ln
請將其重新排列後變為:

L0 → Ln → L1 → Ln-1 → L2 → Ln-2 → …

不能只是單純的改變節點內部的值,而是需要實際的進行節點交換。

示例說明請見LeetCode官網。

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/probl...
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。

解法一:連結串列遍歷

首先,如果連結串列為空或連結串列只有一個節點,直接返回。

否則,首先用一個棧nodes記錄所有的節點,並記錄連結串列節點的數量count;

然後,記錄插入的順序,遍歷到奇數位時,從頭結點方向插入連結串列;遍歷到偶數位時,從棧中取出節點(即從尾結點方向)插入連結串列。

import com.kaesar.leetcode.ListNode;

import java.util.Stack;

public class LeetCode_143 {
    public static void reorderList(ListNode head) {
        if (head == null || head.next == null) {
            return;
        }
        // 所有節點
        Stack<ListNode> nodes = new Stack<>();
        // 連結串列節點的數量
        int count = 0;
        ListNode cur = head;
        while (cur != null) {
            count++;
            nodes.push(cur);
            cur = cur.next;
        }

        int front = 1, back = 0, i = 1;
        ListNode newCur = head;
        cur = head.next;
        // 分別從頭結點和棧中遍歷連結串列節點,然後按指定順序插入新的頭節點構成的連結串列中
        while (front + back < count) {
            i++;
            if (i % 2 == 1) {
                // 插入正向的節點
                newCur.next = cur;
                cur = cur.next;
                front++;
            } else {
                // 插入後面的節點
                newCur.next = nodes.pop();
                back++;
            }
            newCur = newCur.next;
        }
        // 最後,要將新的尾結點的next指向null
        newCur.next = null;
    }

    public static void main(String[] args) {
        ListNode head = new ListNode(1);
        head.next = new ListNode(2);
        head.next.next = new ListNode(3);
        head.next.next.next = new ListNode(4);
        head.next.next.next.next = new ListNode(5);

        System.out.println("-----重排之前-----");
        ListNode cur = head;
        while (cur != null) {
            System.out.print(cur.val + " ");
            cur = cur.next;
        }
        System.out.println();

        reorderList(head);
        System.out.println("-----重排之後-----");
        cur = head;
        while (cur != null) {
            System.out.print(cur.val + " ");
            cur = cur.next;
        }

    }
}
【每日寄語】 人不怕有理想,不怕有夢想。也不管它又多大,又有多遠!只要你客觀的認清自己,在道德規範之內,堅持自己,做你想做的,一定會有收穫的那一天!

相關文章