[筆記] Binary Search 演算法
Binary Search 演算法是用於在一個有序array中搜尋一個值的演算法 - TC:O(log n)。相較於Linear Search(線性搜尋) - TC:O(n),其效率大大提高。
這篇文章就主要紀錄Binary Search 的不同的搜尋方式。
在有序數組中尋找特定的值
這種問題比較簡單,就只要直接比較值是否一樣,如果一樣直接返回index
。但如果是比特地值小/大,因為給定的數組是有序的,我們就可以直接將搜尋區間縮小即可(取決於比搜尋的值較大還是較小,較小往較大值的範圍趨近,否則往較小值的範圍趨近) 。
尋找特定值之代碼
|
|
在有序數組中搜尋最接近特地值的最小/最大index
在某些情況下,在特定數值中可能會出現多個一樣的特定值,找到了特別的值後直接返回可能不一樣的最小index或者最大index。哪我們就要透過以下的2種區間搜尋方式來尋找。尋找最小(收縮右邊界),搜尋最大(收縮左邊界)。
搜尋左邊界
|
|
|
|
搜尋右邊界
|
|
實際例子
Leetcode - 2187. Minimum Time to Complete Trips
You are given an array time
where time[i]
denotes the time taken by the ith bus to complete one trip.
Each bus can make multiple trips successively; that is, the next trip can start immediately after completing the current trip. Also, each bus operates independently; that is, the trips of one bus do not influence the trips of any other bus.
You are also given an integer totalTrips
, which denotes the number of trips all buses should make in total. Return the minimum time required for all buses to complete at least totalTrips
trips.
|
|
這題給定的數組中每個數字代表的數字表示ith Bus
完成一次trip
所要的次數,題目要我們找出所有Bus
總共能完成trip time
的最少次數是多少.
我們看得出來這題就是要讓我們在一個區間裡面找出一個最小能達到特定值的值,所以我們可以通過Binary Search來找。
首先我們要先定義最小值值和最大值是多少,最小值就是time
數組中最小能完成一次trip
的值(小於這個值就代表沒有一輛Bus
可以完成啊,哈哈哈哈)。哪最大值呢?因為我們要求的最少能夠完成total trip
的次數,哪我們最多是不是就是最小的哪輛Bus
跑了total trip
那麼多次呢?(超過了這個值就一定不會是最少了~)。
所以區間為 [low,low * total trip]
,然後我們就可以從這個裡面取值,取一個符合條件切最小的值即可。
題解(Solution)
|
|