You are given a list of positive integers nums and an integer target.
Consider an operation where we remove a number v from either the front
or the back of nums and decrement target by v.
Return the minimum number of operations required to decrement target to zero.
If it's not possible, return -1.
Constraints
n ≤ 100,000 where n is the length of nums Example 1 Input nums = [3, 1, 1, 2, 5, 1, 1] target = 7 Output 3 Explanation We can remove 1, 1 and 5 from the back to decrement target to zero.
Example 2 Input nums = [2, 4] target = 7 Output -1 Explanation There's no way to decrement target = 7 to zero.
intsolve(vector<int>& nums, int target){ int n = nums.size(); int sum;
for(int i = 0; i < n; i++) { sum += nums[i]; } if (sum == target) return n; sum -= target;
int l = 0, total = 0, pos = 0; for (int r = 0; r < n; r++) { total += nums[r]; while(total > sum) { total -= nums[l++]; } if (total == sum) { pos = max(pos, r - l + 1); } } return pos > 0 ? n - pos : -1; }