Maximum Sum Circular Subarray
Given a circular array (the last element is connected to the first element), find the maximum contiguous subarray sum.
Constraints:
- 1 <= nums.length <= 10^4
- -10^5 <= nums[i] <= 10^5
Examples:
Input: [5,-3,5]
Output: 10
Explanation: The maximum sum is obtained by taking the subarray [5, -3, 5] which has a sum of 5 + (-3) + 5 = 7. However, since the array is circular, we can also consider the subarray [5, -3, 5] as [5] + [-3, 5] which has a sum of 5 + (-3 + 5) = 7. But the maximum sum is actually obtained by taking the subarray [5, -3, 5] as [-3, 5] + [5] which has a sum of (-3 + 5) + 5 = 7. So the maximum sum is 10 which is obtained by taking the subarray [5, -3, 5] as [5] + [5, -3].
Solutions
Kadane's Algorithm
The solution uses Kadane's algorithm to find the maximum sum of a subarray. It first calculates the maximum sum of a subarray using Kadane's algorithm. Then it calculates the maximum sum of a wrapped subarray by subtracting the minimum sum of a subarray from the total sum of the array.
function maxSubarraySumCircular(nums) {
let maxKadane = kadane(nums);
let maxWrapped = Array(nums.length).fill(0);
maxWrapped[0] = nums[0];
for (let i = 1; i < nums.length; i++) {
maxWrapped[i] = maxWrapped[i - 1] + nums[i];
}
let maxSum = maxWrapped.reduce((a, b) => Math.max(a, b));
return Math.max(maxKadane, maxSum);
}
function kadane(nums) {
let maxSoFar = nums[0];
let maxEndingHere = nums[0];
for (let i = 1; i < nums.length; i++) {
maxEndingHere = Math.max(nums[i], maxEndingHere + nums[i]);
maxSoFar = Math.max(maxSoFar, maxEndingHere);
}
return maxSoFar;
}
Follow-up:
What if the array is not circular?