LeetCode刷题实战330:按要求补齐数组
共 2566字,需浏览 6分钟
·
2021-07-27 01:04
Given a sorted integer array nums and an integer n, add/patch elements to the array such that any number in the range [1, n] inclusive can be formed by the sum of some elements in the array.
Return the minimum number of patches required.
示例
示例 1:
输入: nums = [1,3], n = 6
输出: 1
解释:
根据 nums 里现有的组合 [1], [3], [1,3],可以得出 1, 3, 4。
现在如果我们将 2 添加到 nums 中, 组合变为: [1], [2], [3], [1,3], [2,3], [1,2,3]。
其和可以表示数字 1, 2, 3, 4, 5, 6,能够覆盖 [1, 6] 区间里所有的数。
所以我们最少需要添加一个数字。
示例 2:
输入: nums = [1,5,10], n = 20
输出: 2
解释: 我们需要添加 [2, 4]。
示例 3:
输入: nums = [1,2,2], n = 5
输出: 0
解题
class Solution {
public int minPatches(int[] nums, int n) {
int i = 0, count = 0;
long range = 1;
while(range <= n) {
if(i < nums.length && nums[i] <= range) range += nums[i++];
else {
range += range;
count++;
}
}
return count;
}
}
LeetCode刷题实战325:和等于 k 的最长子数组长度