-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy path86.分隔链表.py
More file actions
55 lines (51 loc) · 1.21 KB
/
86.分隔链表.py
File metadata and controls
55 lines (51 loc) · 1.21 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
#
# @lc app=leetcode.cn id=86 lang=python
#
# [86] 分隔链表
#
# https://leetcode-cn.com/problems/partition-list/description/
#
# algorithms
# Medium (52.43%)
# Likes: 120
# Dislikes: 0
# Total Accepted: 15K
# Total Submissions: 28.5K
# Testcase Example: '[1,4,3,2,5,2]\n3'
#
# 给定一个链表和一个特定值 x,对链表进行分隔,使得所有小于 x 的节点都在大于或等于 x 的节点之前。
#
# 你应当保留两个分区中每个节点的初始相对位置。
#
# 示例:
#
# 输入: head = 1->4->3->2->5->2, x = 3
# 输出: 1->2->2->4->3->5
#
#
#
# Definition for singly-linked list.
# class ListNode(object):
# def __init__(self, x):
# self.val = x
# self.next = None
class Solution(object):
def partition(self, head, x):
"""
:type head: ListNode
:type x: int
:rtype: ListNode
"""
h1 = l1 = ListNode(0)
h2 = l2 = ListNode(0)
while head:
if head.val<x:
l1.next = head
l1=l1.next
else:
l2.next = head
l2=l2.next
head=head.next
l2.next = None
l1.next = h2.next
return h1.next