题目: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.

For example,
Given 1->4->3->2->5->2 and x = 3,
return 1->2->2->4->3->5.

最近做题欲望不强,所以更新较慢。

分析:典型的链表排序,平常只会数组排序,一到链表处理到有点摸不着头脑了。对于普通数组排序,冒泡和插入都是常见的稳定排序,时间复杂度为O(n^2)。对于链表排序,我们可以采用类似于插入排序的手段,实现起来非常的直接明了。(不过这题甚至不用排序)

由于这题只要求分区,并保证小于x的所有节点均保持原顺序出现在x之前。所以,我们可以保存两个链表引用,一个链表存储小于x的节点,另一个存储大于x的节点,最后合并即可,时间复杂度为O(n)。

注:链表的处理容易弄出死循环,或是弄出带环的链表,这都是因为没给next指针做好善后工作造成的。

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public ListNode partition(ListNode head, int x) {
        ListNode small = new ListNode(0);
        ListNode ge = new ListNode(0);//ge means Great or Equal
        ListNode s = small, g = ge, next;
        while (head != null) {
            next = head.next;
            head.next = null;//important!
            if (head.val < x) {
                s.next = head;
                s = s.next;
            } else {
                g.next = head;
                g = g.next;
            }
            head = next;
        }
        s.next = ge.next;
        return small.next;
    }
}

ssnau
1.5k 声望98 粉丝

负能量职业打码师


引用和评论

0 条评论