Koko Eating Bananas
Koko loves to eat bananas. There are n piles of bananas, the ith pile has piles[i] bananas. The guards have gone and will come back in h hours. Koko can decide her banana-eating speed of x bananas per hour. Each hour, she chooses some pile of bananas and eats x bananas from that pile. If Koko doesn't eat all the bananas in a pile, the remaining bananas in that pile are left over and she will not eat them again. Koko likes to keep a consistent eating speed. Given two integer arrays piles and h, where piles[i] is the number of bananas in the ith pile and h is the number of hours that Koko has to eat all the bananas, return the minimum eating speed Koko needs to eat all the bananas within h hours.
Constraints:
- 1 <= piles.length <= 10^4
- piles.length <= h <= 10^9
- 1 <= piles[i] <= 10^9
Examples:
Input: [3,6,7,11], 8
Output: 4
Explanation: To eat all bananas in 8 hours, Koko needs to eat at least 4 bananas per hour.
Solutions
Binary Search
We use binary search to find the minimum eating speed. We start with the range [1, max(piles)] and calculate the number of hours it would take to eat all bananas at the current speed. If the number of hours is greater than h, we increase the speed. Otherwise, we decrease the speed.
int minEatingSpeed(vector<int>& piles, int h) {
int left = 1, right = *max_element(piles.begin(), piles.end());
while (left < right) {
int mid = left + (right - left) / 2;
int hours = 0;
for (int pile : piles) {
hours += (pile + mid - 1) / mid;
}
if (hours > h) {
left = mid + 1;
}
else {
right = mid;
}
}
return left;
}
Follow-up:
What if Koko can eat bananas at different speeds for different piles?