• LeetCode OJ


    题目:

      Sort a linked list using insertion sort.

    解题思路:

      假设 list[1..i]是排好序的,找到第i+1个元素应该插入的位置及其前驱,然后将其插入。

    代码:

      

    /**
     * Definition for singly-linked list.
     * struct ListNode {
     *     int val;
     *     ListNode *next;
     *     ListNode(int x) : val(x), next(NULL) {}
     * };
     */
    class Solution {
    public:
        ListNode *insertionSortList(ListNode *head) {
            if (head == NULL || head->next == NULL) {
                return head;
            }
            
            /*找到最小的元素作为表头*/
            ListNode *p_tmp = head;
            int min_val = head->val;
            
            ListNode *p_current = head->next;
            while (p_current != NULL) {
                if (p_current->val < min_val) {
                    p_tmp = p_current;
                    min_val = p_current->val;
                }
                p_current = p_current->next;
            }
            p_tmp->val = head->val;
            head->val = min_val;
            
            ////////////////////////////////////////////////////////
            p_current = head->next;
            while (p_current != NULL){
                ListNode *p_next = p_current->next;
    
                ListNode *p_pos = head; //找插入位置
                while (p_pos != p_current && p_pos->next->val <= p_current->val) p_pos = p_pos->next;
    
                ListNode *p_pre = head;  // 找前驱
                while (p_pre->next != p_current) p_pre = p_pre->next;
    
                if (p_pos != p_current) {
                    p_pre->next = p_current->next;
                    p_current->next = p_pos->next;
                    p_pos->next = p_current;
                }
    
                p_current = p_next;
            }
            return head;
        }
    };
  • 相关阅读:
    spring profile 多环境配置管理
    搭建docker私服仓库
    ubuntu安装mysql添加密码
    yum源安装docker
    keep + haproxy 运行原理
    gitlab汉化
    什么是DevOps?
    Kafka高并发原理概述
    k8s + flannel 内网不能互通问题排查
    Flannel跨主机互联概述及容器网络拓扑图
  • 原文地址:https://www.cnblogs.com/dongguangqing/p/3726305.html
Copyright © 2020-2023  润新知