-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path2226-max-candies-kchildren.dart
52 lines (40 loc) · 1.19 KB
/
2226-max-candies-kchildren.dart
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
class Solution {
int maximumCandies(List<int> candies, int k) {
if (candies.fold<int>(0, (sum, candy) => sum + candy) < k) {
return 0;
}
int left = 1;
int right = candies.reduce((max, candy) => max > candy ? max : candy);
while (left < right) {
int mid = left + (right - left + 1) ~/ 2;
if (canAllocate(candies, k, mid)) {
left = mid;
} else {
right = mid - 1;
}
}
return left;
}
bool canAllocate(List<int> candies, int k, int candiesPerChild) {
int childrenServed = 0;
for (int pile in candies) {
childrenServed += pile ~/ candiesPerChild;
if (childrenServed >= k) {
return true;
}
}
return false;
}
}
void main() {
final solution = Solution();
final candies1 = [5, 8, 6];
final k1 = 3;
print('Example 1: ${solution.maximumCandies(candies1, k1)}'); // Expected output: 5
final candies2 = [2, 5];
final k2 = 11;
print('Example 2: ${solution.maximumCandies(candies2, k2)}'); // Expected output: 0
final candies3 = [4, 7, 5];
final k3 = 4;
print('Example 3: ${solution.maximumCandies(candies3, k3)}'); // Expected output: 3
}