#Max Sub-array (122A)
#Problem Statement
Question. Given a 1-dimensional array, find a contiguous sub-array with the largest sum
A[1...N]: List<number>
- the array we select from
#Dividing the problem
The maximum sub-array can show up in 3 places:
- The left half of
- The right half of
- The middle section of
The left half and right half does not overlap. Overlap is handled by the middle section.
#Base Cases
There are 2 base cases:
- is empty, so we return 0 for the sum of nothing.
- has exactly 1 element, so we return that element
#Recursive Cases
To avoid passing the main array around on the stack, we can use the 2 pointer approach with low
and high
pointers. The recursive calls will look like:
where the 2 recursive calls correspond to the left and right half of .
#The Max Middle Sum
The name is kinda misleading, but we want to consider this:
Question. What contiguous sub-array, that might contain the middle element, gives us the maximum sum?
So we check both ways. Take the element if it keeps the array contiguous AND increases the sum.
Check from
mid - 1
tolow
Example. Left Half
Selecting...Done selecting,sum = 4
Then check from
mid
tohigh
Example. Right Half
Selecting...Done selecting,sum = 3
The best middle sum could also involve both the left and right half, for example if all elements are positive. So we take the
max(...)
of all:
#Combining the Results
Now we know what’s max in left, right, and middle, we just take the max.
#Pseudocode
#Python: Max Subarray
Go faster: Max Subarray: Kadane’s Algorithm (WIP)