Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[Practice] Maximum Subarray Sum #35

Open
lpatmo opened this issue Mar 28, 2019 · 1 comment
Open

[Practice] Maximum Subarray Sum #35

lpatmo opened this issue Mar 28, 2019 · 1 comment

Comments

@lpatmo
Copy link
Member

lpatmo commented Mar 28, 2019

Problem: https://leetcode.com/problems/maximum-subarray/

For example, if the given array is {-2, -5, 6, -2, -3, 1, 5, -6}, then the maximum subarray sum is 7 (see highlighted elements).```
@lpatmo
Copy link
Member Author

lpatmo commented Mar 28, 2019

//BRUTE FORCE O(N^2)
function maxSumBruteForce(arr) {
  let max = -Infinity;
  let sum = 0;
  for (let i = 0; i < arr.length; i++) {
    for (let j = i; j < arr.length; j++) {
      //0 to 0, 0 to 1, 0 to 2... etc.
      //1 to 1, 1 to 2, 1 to 3, etc. up to .length
      //2 to 2, etc.
      //if (i <= j) { //only need this if j started at 0
        sum += arr[j];
        console.log(sum+" i: " + i + " j: "+j)
     // }
      max = Math.max(sum, max)
    }
    sum = 0;
  }
  return max;
}
console.log("Answer "+maxSumBruteForce(arr))

//Alternative:
  //find midpoint
  //find max on left side
  //find max on right side
  //find max around the midpoint


/*Initialize:
    max_so_far = 0
    max_ending_here = 0

Loop for each element of the array
  (a) max_ending_here = max_ending_here + a[i]
  (b) if(max_ending_here < 0)
            max_ending_here = 0
  (c) if(max_so_far < max_ending_here)
            max_so_far = max_ending_here
return max_so_far*/

//Kadene's solution
function maxSumKadene(arr) {
  let maxCurrent = 0;
  let maxFinal = 0;
  for (let i = 0; i < arr.length; i++) {
    maxCurrent = maxCurrent + arr[i];
    if (maxCurrent < 0) {
      maxCurrent = 0;
    }
    if (maxFinal < maxCurrent) {
      maxFinal = maxCurrent;
    }
  }
  return maxFinal;
}
console.log("Answer "+maxSumKadene(arr))

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

No branches or pull requests

1 participant