forked from krahets/hello-algo
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
feat: add Swift codes for top_k article (krahets#578)
- Loading branch information
Showing
2 changed files
with
37 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,35 @@ | ||
/** | ||
* File: top_k.swift | ||
* Created Time: 2023-07-02 | ||
* Author: nuomi1 ([email protected]) | ||
*/ | ||
|
||
import utils | ||
|
||
/* 基于堆查找数组中最大的 k 个元素 */ | ||
func topKHeap(nums: [Int], k: Int) -> [Int] { | ||
// 将数组的前 k 个元素入堆 | ||
var heap = Array(nums.prefix(k)) | ||
// 从第 k+1 个元素开始,保持堆的长度为 k | ||
for i in stride(from: k, to: nums.count, by: 1) { | ||
// 若当前元素大于堆顶元素,则将堆顶元素出堆、当前元素入堆 | ||
if nums[i] > heap.first! { | ||
heap.removeFirst() | ||
heap.insert(nums[i], at: 0) | ||
} | ||
} | ||
return heap | ||
} | ||
|
||
@main | ||
enum TopK { | ||
/* Driver Code */ | ||
static func main() { | ||
let nums = [1, 7, 6, 3, 2] | ||
let k = 3 | ||
|
||
let res = topKHeap(nums: nums, k: k) | ||
print("最大的 \(k) 个元素为") | ||
PrintUtil.printHeap(queue: res) | ||
} | ||
} |