-
Notifications
You must be signed in to change notification settings - Fork 19.6k
/
Copy pathLongestSubarrayWithSumLessOrEqualToK.java
48 lines (41 loc) · 1.66 KB
/
LongestSubarrayWithSumLessOrEqualToK.java
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
package com.thealgorithms.slidingwindow;
/**
* The Longest Subarray with Sum Less Than or Equal to k algorithm finds the length
* of the longest subarray whose sum is less than or equal to a given value k.
*
* <p>
* Worst-case performance O(n)
* Best-case performance O(n)
* Average performance O(n)
* Worst-case space complexity O(1)
*
* @author https://github.com/Chiefpatwal
*/
public final class LongestSubarrayWithSumLessOrEqualToK {
// Prevent instantiation
private LongestSubarrayWithSumLessOrEqualToK() {
}
/**
* This method finds the length of the longest subarray with a sum less than or equal to k.
*
* @param arr is the input array
* @param k is the maximum sum allowed
* @return the length of the longest subarray with sum less than or equal to k
*/
public static int longestSubarrayWithSumLEK(int[] arr, int k) {
int maxLength = 0; // To store the maximum length found
int currentSum = 0; // To store the current sum of the window
int left = 0; // Left index of the sliding window
for (int right = 0; right < arr.length; right++) {
currentSum += arr[right]; // Expand the window to the right
// Shrink the window from the left if the current sum exceeds k
while (currentSum > k && left <= right) {
currentSum -= arr[left]; // Remove the leftmost element
left++; // Move the left index to the right
}
// Update maxLength if the current window is valid
maxLength = Math.max(maxLength, right - left + 1);
}
return maxLength; // Return the maximum length found
}
}