title | subtitle | date | lastmod | draft | author | authorLink | description | license | images | tags | categories | featuredImage | featuredImagePreview | hiddenFromHomePage | hiddenFromSearch | twemoji | lightgallery | ruby | fraction | fontawesome | linkToMarkdown | rssFullText | toc | code | math | mapbox | share | comment | library | seo | ||||||||||||||||||||||||||||||
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
128. Longest Consecutive Sequence |
2024-02-20 20:53:00 +0800 |
2024-02-20 20:53:00 +0800 |
false |
Kimi.Tsai |
0128.Longest-Consecutive-Sequence |
|
|
false |
false |
false |
true |
true |
true |
true |
false |
false |
|
|
|
|
|
|
|
給定一個未排序的整數數位列 nums ,找出數字連續的最長序列(不要求序列元素在原陣列中連續)的長度。 請你設計並實現時間複雜度為 O(n) 的演演算法解決此問題。
時間複雜 : O(n)
空間複雜 : O(n)
- https://leetcode.com/problems/longest-consecutive-sequence/description/
- https://leetcode.cn/problems/longest-consecutive-sequence/description/
package longestconsecutivesequence
// 時間複雜 O(), 空間複雜 O()
func longestConsecutive(nums []int) int {
m := make(map[int]struct{}, len(nums))
for _, num := range nums {
m[num] = struct{}{}
}
result := 0
for v := range m {
// 如果沒找到該數字的前一個數字, 則把該數字刀做連續序列的第一個數
if _, ok := m[v-1]; !ok {
length := 1
for _, exit := m[v+length]; exit; _, exit = m[v+length] {
length++
}
if result < length {
result = length
}
}
}
return result
}