leetcode876 鍊錶的中間結點

2021-09-20 18:26:45 字數 2810 閱讀 2600

給定乙個帶有頭結點 head 的非空單鏈表,返回鍊錶的中間結點。

如果有兩個中間結點,則返回第二個中間結點。

示例 1:

輸入:[1,2,3,4,5]

輸出:此列表中的結點 3 (序列化形式:[3,4,5])

返回的結點值為 3 。 (測評系統對該結點序列化表述是 [3,4,5])。

注意,我們返回了乙個 listnode 型別的物件 ans,這樣:

ans.val = 3, ans.next.val = 4, ans.next.next.val = 5, 以及 ans.next.next.next = null.

示例 2:

輸入:[1,2,3,4,5,6]

輸出:此列表中的結點 4 (序列化形式:[4,5,6])

由於該列表有兩個中間結點,值分別為 3 和 4,我們返回第二個結點。

方法1:通過鍊錶長度得到index

思路:通過遍歷得到鍊錶的長度,然後長度除以2得到中間節點的index,返回中間結點及之後的節點。

# definition for singly-linked list.

# class listnode(object):

# def __init__(self, x):

# self.val = x

# self.next = none

class solution(object):

def middlenode(self, head):

""":type head: listnode

:rtype: listnode

"""count = 0

cur = head

while cur:

cur = cur.next

count+=1

if count%2 == 0:

index = int(count/2)+1

else:

count = count+1

index = int(count/2)

count1 = 1

cur2 = head

while cur2:

if count1 != index:

cur2 = cur2.next

else:

return cur2

成功

顯示詳情

執行用時 : 28 ms, 在middle of the linked list的python提交中擊敗了100.00% 的使用者

記憶體消耗 : 11.8 mb, 在middle of the linked list的python提交中擊敗了32.43% 的使用者

方法2:陣列

將每段鍊錶儲存到列表中,列表的長度就是鍊錶中元素的個數,長度除以2之後向下取整(int()函式),對應的索引正好是符合要求的鍊錶的中間位置,所以返回列表的第index個值。

# definition for singly-linked list.

# class listnode(object):

# def __init__(self, x):

# self.val = x

# self.next = none

class solution(object):

def middlenode(self, head):

""":type head: listnode

:rtype: listnode

"""node_list =

cur = head

while cur:

cur = cur.next

n = len(node_list)

index = int(n/2)

return node_list[index]

顯示詳情

執行用時 : 48 ms, 在middle of the linked list的python提交中擊敗了11.82% 的使用者

記憶體消耗 : 11.8 mb, 在middle of the linked list的python提交中擊敗了36.03% 的使用者

方法3:快慢指標法

設定兩個指標,快指標是慢指標速度的2倍,所以當快指標到鍊錶的最後乙個元素(鍊錶節點個數為奇數)或者指標指到最後的none(鍊錶節點個數為偶數)時,慢指標正好在鍊錶中間。

# definition for singly-linked list.

# class listnode(object):

# def __init__(self, x):

# self.val = x

# self.next = none

class solution(object):

def middlenode(self, head):

""":type head: listnode

:rtype: listnode

"""slow,fast = head,head

while fast and fast.next:

slow = slow.next

fast = fast.next.next

return slow

成功

顯示詳情

執行用時 : 52 ms, 在middle of the linked list的python提交中擊敗了11.82% 的使用者

記憶體消耗 : 11.8 mb, 在middle of the linked list的python提交中擊敗了31.53% 的使用者

鍊錶 LeetCode 876

原題 給定乙個帶有頭結點head的非空單鏈表,返回鍊錶的中間結點。如果有兩個中間結點,則返回第二個中間結點。法一 遍歷兩次,第一次測出鍊錶長度,第二次遍歷至中間節點。struct listnode middlenode struct listnode head c c 2 while c retur...

LeetCode 876 鍊錶的中間結點

問題描述 給定乙個帶有頭結點 head 的非空單鏈表,返回鍊錶的中間結點。如果有兩個中間結點,則返回第二個中間結點。示例 1 輸入 1,2,3,4,5 輸出 此列表中的結點 3 序列化形式 3,4,5 返回的結點值為 3 測評系統對該結點序列化表述是 3,4,5 注意,我們返回了乙個 listnod...

LeetCode 876 鍊錶的中間結點

給定乙個帶有頭結點head的非空單鏈表,返回鍊錶的中間結點。如果有兩個中間結點,則返回第二個中間結點。示例 1 輸入 1,2,3,4,5 輸出 此列表中的結點 3 序列化形式 3,4,5 返回的結點值為 3 測評系統對該結點序列化表述是 3,4,5 注意,我們返回了乙個 listnode 型別的物件...