• 86. Partition List


    Given a linked list and a value x, partition it such that all nodes less than x come before nodes greater than or equal to x.

    You should preserve the original relative order of the nodes in each of the two partitions.

    Example:

    Input: head = 1->4->3->2->5->2, x = 3
    Output: 1->2->2->4->3->5
    /**
     * Definition for singly-linked list.
     * public class ListNode {
     *     int val;
     *     ListNode next;
     *     ListNode(int x) { val = x; }
     * }
     */
    class Solution {
        public ListNode partition(ListNode head, int x) {
            ListNode small = new ListNode(-1);
            ListNode big = new ListNode(-1);
            ListNode smallhead = small;
            ListNode bighead = big;
            while(head != null){
                if(head.val < x){
                    small.next = head;
                    small = small.next;
                }
                else{
                    big.next = head;
                    big = big.next;
                }
                head = head.next;
            }
            big.next = null;
            small.next = bighead.next;
            return smallhead.next;
        }
    }

    https://www.cnblogs.com/springfor/p/3862392.html

    题解: 

    这道题就是说给定一个x的值,小于x都放在大于等于x的前面,并且不改变链表之间node原始的相对位置。每次看这道题我老是绕晕,纠结为什么4在3的前面。。其实还是得理解题意,4->3->5都是大于等3的数,而且这保持了他们原来的相对位置 。

    所以,这道题是不需要任何排序操作的,题解方法很巧妙。

    new两个新链表,一个用来创建所有大于等于x的链表,一个用来创建所有小于x的链表。

    遍历整个链表时,当当前node的val小于x时,接在小链表上,反之,接在大链表上。这样就保证了相对顺序没有改变,而仅仅对链表做了与x的比较判断。

    最后,把小链表接在大链表上,别忘了把大链表的结尾赋成null。

    这是因为可能出现big最后依然保留着指向的下一个节点(属于small),但我们肯定不需要。

    而small.next 始终都会指向bighead.next,所以不用考虑small的问题。

  • 相关阅读:
    【转】Intellij IDEA常用配置详解
    scala(一)
    scala(三)
    Scrapy学习篇(六)之Selector选择器
    Scrapy学习篇(五)之Spiders
    Scrapy学习篇(四)之数据存储
    Scrapy学习篇(三)之创建项目
    Scrapy学习篇(二)之常用命令行工具
    Scrapy学习篇(一)之框架
    git实现github仓库和本地仓库同步
  • 原文地址:https://www.cnblogs.com/wentiliangkaihua/p/11330364.html
Copyright © 2020-2023  润新知