您好,登錄后才能下訂單哦!
題目描述
輸入n個整數,找出其中最小的K個數。例如輸入4,5,1,6,2,7,3,8這8個數字,則最小的4個數字是1,2,3,4,。
# -*- coding: utf-8 -*-
# @Time : 2019-07-08 21:09
# @Author : Jayce Wong
# @ProjectName : job
# @FileName : getLeastNumbers.py
# @Blog : https://blog.51cto.com/jayce1111
# @Github : https://github.com/SysuJayce
class Solution:
"""
從數組中尋找最小的k個數字,一般來說最直接的做法就是先將這個數組排序,然后取最小的k個數字即可。
但是這樣做的時間復雜度為O(nlogn)
解法1:
借鑒快排中partition()的做法,因為partition()每次可以確定一個下標的正確元素,并保證其左右與其
大小關系有序。所以只要我們通過partition()確定了下標為k-1的元素,那么其左邊都是小于該元素的。
時間復雜度為O(n)
解法2:
可以維護一個容量為k的容器,然后遍歷整個數組,如果遇到比容器中最大值要小的元素,那么就將這個元素
替換容器中的最大值。時間復雜度為O(nlogk)
"""
def GetLeastNumbers_Solution1(self, tinput, k):
if k <= 0 or k > len(tinput):
return []
ans = tinput[:k]
for i in range(k, len(tinput)):
if tinput[i] < max(ans):
ans.remove(max(ans))
ans.append(tinput[i])
return sorted(ans)
def GetLeastNumbers_Solution2(self, tinput, k):
def partition(begin, end):
pos = begin
for i in range(begin, end):
if tinput[i] < tinput[end]:
tinput[i], tinput[pos] = tinput[pos], tinput[i]
pos += 1
tinput[end], tinput[pos] = tinput[pos], tinput[end]
return pos
if k <= 0 or k > len(tinput):
return []
start, stop = 0, len(tinput) - 1
idx = partition(start, stop)
while idx != k - 1:
if idx > k:
stop = idx - 1
else:
start = idx + 1
idx = partition(start, stop)
return sorted(tinput[: k])
def main():
nums = [4, 5, 1, 6, 2, 7, 3, 8]
k = 4
solution = Solution()
print(solution.GetLeastNumbers_Solution2(nums, k))
if __name__ == '__main__':
main()
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。