Skip to content
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
@@ -0,0 +1,31 @@
// Kadane Algorithm
// Largest Sum Contiguous Subarray
// Time complexity O(n)

#include<bits/stdc++.h>
using namespace std;

int largestSum_ContiguousSubarray(int arr[], int size){
int max_sum = INT_MIN;
int curr_sum = 0;
for (int i = 0; i < size; i++) //linear iteration of the array
{
curr_sum += arr[i];
max_sum = max(max_sum, curr_sum);
if (curr_sum < 0) //if current sum is negative, it won't be included...
{
curr_sum = 0;
}
}
return max_sum;
}

int main()
{
int n = 10;
int arr[n] = {4, -1, 2, -7, 3, 4, -5, 3, 2, 4};

cout<< "largest sum: "<<largestSum_ContiguousSubarray(arr, n);
return 0;
}