-
Notifications
You must be signed in to change notification settings - Fork 23
/
Copy path2560-house-robber-iv.js
59 lines (52 loc) · 1.43 KB
/
2560-house-robber-iv.js
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
53
54
55
56
57
58
59
/**
* 2560. House Robber IV
* https://leetcode.com/problems/house-robber-iv/
* Difficulty: Medium
*
* There are several consecutive houses along a street, each of which has some money inside.
* There is also a robber, who wants to steal money from the homes, but he refuses to steal
* from adjacent homes.
*
* The capability of the robber is the maximum amount of money he steals from one house of
* all the houses he robbed.
*
* You are given an integer array nums representing how much money is stashed in each house.
* More formally, the ith house from the left has nums[i] dollars.
*
* You are also given an integer k, representing the minimum number of houses the robber will
* steal from. It is always possible to steal at least k houses.
*
* Return the minimum capability of the robber out of all the possible ways to steal at least
* k houses.
*/
/**
* @param {number[]} nums
* @param {number} k
* @return {number}
*/
var minCapability = function(nums, k) {
let left = Math.min(...nums);
let right = Math.max(...nums);
while (left < right) {
const mid = Math.floor((left + right) / 2);
if (canRob(nums, mid, k)) {
right = mid;
} else {
left = mid + 1;
}
}
return left;
};
function canRob(nums, capability, k) {
let count = 0;
let i = 0;
while (i < nums.length) {
if (nums[i] <= capability) {
count++;
i += 2;
} else {
i++;
}
}
return count >= k;
}