713. Subarray Product Less Than K - Medium
前往題目
想法
- 用標準的
Sliding window
會漏掉幾個沒算到
思路
關鍵點只有在update
的時候要取window size
,這樣才是當前這個window
的subarray
總數
例如[5, 2, 6]
,window size
是3
,也代表他有三個subarray -> [5], [5, 2], [5, 2, 6]
- 標準
sliding window
,左右指針 - 每次循環更新當前
product
- 將
invalid
變為valid
- 加入
window size
到結果中
Code
class Solution {
public int numSubarrayProductLessThanK(int[] nums, int k) {
int l = 0;
int res = 0;
int curPro = 1;
for (int r = 0; r < nums.length; ++r) {
curPro *= nums[r];
// Invalid, make it valid
while (l <= r && curPro >= k) {
curPro /= nums[l];
++l;
}
// Update subarrays count
res += r - l + 1;
}
return res;
}
}
713. Subarray Product Less Than K - Medium
https://f88083.github.io/2024/07/26/713-Subarray-Product-Less-Than-K/