LeetCode 875. Koko Eating Bananas 二分答案

发布时间 2023-07-19 19:48:18作者: Blackzxy

Koko loves to eat bananas. There are \(n\) piles of bananas, the \(i\)th pile has \(piles[i]\) bananas. The guards have gone and will come back in h hours.

Koko can decide her bananas-per-hour eating speed of k. Each hour, she chooses some pile of bananas and eats k bananas from that pile. If the pile has less than k bananas, she eats all of them instead and will not eat any more bananas during this hour.

Koko likes to eat slowly but still wants to finish eating all the bananas before the guards return.

Return the minimum integer k such that she can eat all the bananas within h hours.

Solution

点击查看代码
class Solution:
    def minEatingSpeed(self, piles: List[int], h: int) -> int:
        def check(piles, cand):
            hours = 0
            for p in piles:
                hours = hours + int(p/cand)
                if p%cand > 0:
                    hours+=1
            
            return hours
        
        left = 1
        right = 100000000000

        while left<=right:
            mid = left+int((right-left)/2)
            if check(piles, mid)<=h:
                right = mid-1
            else:
                left = mid+1
        
        return left