题目

给定一个链表和一个特定值 x,对链表进行分隔,使得所有小于 x 的节点都在大于或等于 x 的节点之前。

你应当保留两个分区中每个节点的初始相对位置。

示例:

输入: head = 1->4->3->2->5->2, x = 3
输出: 1->2->2->4->3->5

解析

创建两个链表,分别链接小于x和大于等于x的节点,最后将它们合并起来

代码

  1. /**
  2. * Definition for singly-linked list.
  3. * struct ListNode {
  4. * int val;
  5. * ListNode *next;
  6. * ListNode(int x) : val(x), next(NULL) {}
  7. * };
  8. */
  9. class Solution {
  10. public:
  11. ListNode* partition(ListNode* head, int x) {
  12. ListNode* dummy1 = new ListNode(-1);
  13. ListNode* h1 = dummy1;
  14. ListNode* dummy2 = new ListNode(-1);
  15. ListNode* h2 = dummy2;
  16. ListNode* cur = head;
  17. while(cur) {
  18. if (cur->val < x) {
  19. h1->next = cur;
  20. h1 = h1->next;
  21. } else {
  22. h2->next = cur;
  23. h2 = h2->next;
  24. }
  25. cur = cur->next;
  26. }
  27. h1->next = dummy2->next;
  28. h2->next = NULL;
  29. return dummy1->next;
  30. }
  31. };