mirror of
https://github.com/halfrost/LeetCode-Go.git
synced 2025-07-05 08:27:30 +08:00
leetcode82 提供更多的解法
This commit is contained in:
@ -91,3 +91,66 @@ func deleteDuplicates(head *ListNode) *ListNode {
|
|||||||
}
|
}
|
||||||
return head
|
return head
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// 双循环简单解法 O(n*m)
|
||||||
|
func deleteDuplicates3(head *ListNode) *ListNode {
|
||||||
|
if head == nil {
|
||||||
|
return head
|
||||||
|
}
|
||||||
|
|
||||||
|
nilNode := &ListNode{Val: 0, Next: head}
|
||||||
|
head = nilNode
|
||||||
|
|
||||||
|
lastVal := 0
|
||||||
|
for head.Next != nil && head.Next.Next != nil {
|
||||||
|
if head.Next.Val == head.Next.Next.Val {
|
||||||
|
lastVal = head.Next.Val
|
||||||
|
for head.Next != nil && lastVal == head.Next.Val {
|
||||||
|
head.Next = head.Next.Next
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
head = head.Next
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return nilNode.Next
|
||||||
|
}
|
||||||
|
|
||||||
|
// 双指针+删除标志位,单循环解法 O(n)
|
||||||
|
func deleteDuplicates4(head *ListNode) *ListNode {
|
||||||
|
if head == nil || head.Next == nil {
|
||||||
|
return head
|
||||||
|
}
|
||||||
|
|
||||||
|
nilNode := &ListNode{Val: 0, Next: head}
|
||||||
|
// 上次遍历有删除操作的标志位
|
||||||
|
lastIsDel := false
|
||||||
|
// 虚拟空结点
|
||||||
|
head = nilNode
|
||||||
|
// 前后指针用于判断
|
||||||
|
pre, back := head.Next, head.Next.Next
|
||||||
|
// 每次只删除前面的一个重复的元素,留一个用于下次遍历判重
|
||||||
|
// pre, back 指针的更新位置和值比较重要和巧妙
|
||||||
|
for head.Next != nil && head.Next.Next != nil {
|
||||||
|
if pre.Val != back.Val && lastIsDel {
|
||||||
|
head.Next = head.Next.Next
|
||||||
|
pre, back = head.Next, head.Next.Next
|
||||||
|
lastIsDel = false
|
||||||
|
continue
|
||||||
|
}
|
||||||
|
|
||||||
|
if pre.Val == back.Val {
|
||||||
|
head.Next = head.Next.Next
|
||||||
|
pre, back = head.Next, head.Next.Next
|
||||||
|
lastIsDel = true
|
||||||
|
} else {
|
||||||
|
head = head.Next
|
||||||
|
pre, back = head.Next, head.Next.Next
|
||||||
|
lastIsDel = false
|
||||||
|
}
|
||||||
|
}
|
||||||
|
// 处理 [1,1] 这种删除还剩一个的情况
|
||||||
|
if lastIsDel && head.Next != nil {
|
||||||
|
head.Next = nil
|
||||||
|
}
|
||||||
|
return nilNode.Next
|
||||||
|
}
|
||||||
|
Reference in New Issue
Block a user