To find the largest sum of a contiguous subarray, use Kadane's Algorithm, which helps to find the maximum sum efficiently in linear time.
- Initialize two variables,
maxCurrent
andmaxGlobal
, to the first element of the array. - Iterate through the array starting from the second element.
- For each element, update
maxCurrent
to the maximum of the current element or the sum of the current element andmaxCurrent
. - If
maxCurrent
exceedsmaxGlobal
, updatemaxGlobal
. - Return
maxGlobal
as the result.
function maxSubArraySum(arr) {
let maxCurrent = maxGlobal = arr[0];
for (let i = 1; i < arr.length; i++) {
maxCurrent = Math.max(arr[i], maxCurrent + arr[i]);
if (maxCurrent > maxGlobal) {
maxGlobal = maxCurrent;
}
}
return maxGlobal;
}
// Example usage
console.log(maxSubArraySum([1, -2, 3, 4, -1, 2, 1, -5, 4])); // Output: 7
console.log(maxSubArraySum([-1, -2, -3, -4])); // Output: -1
This method has a time complexity of O(n), where n is the length of the array.
Tags: intermediate, JavaScript, Arrays, Algorithm