LeetCode-147-對連結串列進行插入排序

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

對連結串列進行插入排序

題目描述:對連結串列進行插入排序。

插入排序的動畫演示如上。從第一個元素開始,該連結串列可以被認為已經部分排序(用黑色表示)。
每次迭代時,從輸入資料中移除一個元素(用紅色表示),並原地將其插入到已排好序的連結串列中。

插入排序演算法:

  • 插入排序是迭代的,每次只移動一個元素,直到所有元素可以形成一個有序的輸出列表。
  • 每次迭代中,插入排序只從輸入資料中移除一個待排序的元素,找到它在序列中適當的位置,並將其插入。
  • 重複直到所有輸入資料插入完為止。

示例說明請見LeetCode官網。

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

解法一:連結串列遍歷
  • 首先,如果連結串列為空或者連結串列只有一個節點,則不用排序,直接返回。
  • 否則,使用插入排序的方式將連結串列中的節點都放到一個List中nodes;
  • 然後,按照nodes的順序重新構造一個新的連結串列即為排序後的連結串列,返回之。
import com.kaesar.leetcode.ListNode;

import java.util.ArrayList;
import java.util.List;

public class LeetCode_147 {
    public static ListNode insertionSortList(ListNode head) {
        // 如果連結串列為空或者連結串列只有一個節點,則不用排序,直接返回
        if (head == null || head.next == null) {
            return head;
        }
        List<ListNode> nodes = new ArrayList<>();
        nodes.add(head);
        ListNode cur = head.next;
        while (cur != null) {
            int i = nodes.size() - 1;
            for (; i >= 0; i--) {
                if (nodes.get(i).val < cur.val) {
                    break;
                }
            }
            nodes.add(i + 1, cur);
            cur = cur.next;
        }
        ListNode newHead = nodes.get(0);
        cur = newHead;
        for (int i = 1; i < nodes.size(); i++) {
            cur.next = nodes.get(i);
            cur = cur.next;
        }
        cur.next = null;

        return newHead;
    }

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

        System.out.println("排序之前");
        ListNode cur = head;
        while (cur != null) {
            System.out.print(cur.val + " ");
            cur = cur.next;
        }
        System.out.println();
        System.out.println("排序之後");
        ListNode newHead = insertionSortList(head);
        cur = newHead;
        while (cur != null) {
            System.out.print(cur.val + " ");
            cur = cur.next;
        }
    }
}
【每日寄語】 每個人的人生軌跡恐怕都是事先命定的,但是你得努力,並相信命運是掌握在自己手中的,人不怕有理想,不怕這個理想有多高多遠多大,只要堅持,不過分高估自己,總會成功。

相關文章