Problem Statement
Pattern: Pattern Prefix Array
Solution
public static int subArraySum(int[] nums, int k) {
Integer count = 0, currSum = 0;
Map<Integer, Integer> map = new HashMap<>();
// edge case
map.put(currSum, 1);
for (int index = 0; index < nums.length; index++) {
// update currSum at index
currSum += nums[index];
// get freq of currSum-k
Integer freq = map.get(currSum - k);
// if freq found update count
if (freq != null) count += freq;
// increment currSum freq
map.put(currSum, map.getOrDefault(currSum, 0) + 1);
}
return count;
}
Notes
-
In kadanes algo we know that
- for a max sum problem
- a negative
currSum
would never contribute to the a globalmax
value
- a negative
- for a min sum problem
- a positive
currSum
would never contribte to a globalmin
value
- a positive
- so we reset
currSum
to the next element, and keep updatingmax
andmin
- for a max sum problem
-
Concept : update freq of
currSum
for each element in a hashmap- At any given index if
map.get(currSum-k)
let’s say is2
that means, 2 subarrays with the sumk
exist!!! only then would asum = currSum-k
would exist! - update the
count
with2
- so on…
- At any given index if
-
edge case, if
currSum == k
thenmap.get(0)
should return 1.