一道经典的面试笔试题目。
第一种解法,遍历每种情况,算法复杂度为O(N^2)。
int maxSubarray1(int *A,int length) { int maxSum=A[0]; int temp; for (int i=0;i<length;i++)//从i开始的子数组 { temp=0; for (int j=i;j<length;j++) { temp=temp+A[j]; if (temp>maxSum) { maxSum=temp; } } } return maxSum; }
int MaxThree(int a, int b, int c)//求三个数中的最大数 { int temp = a>b? a: b; return temp>c? temp : c; } int maxSubArray2(int *A,int start,int end) { if (start==end) { return A[start]; } int mid=(start+end)/2;//找到中间 //找从中间开始,左边连续最大和 int maxLeftSum=A[mid]; int temp=0; for (int k=mid;k>=start;k--) { temp=temp+A[k]; if (temp>maxLeftSum) { maxLeftSum=temp; } } //从中间开始,找右边连续最大子数组 int maxRightSum=A[mid+1]; temp=0; for (int k=mid+1;k<=end;k++) { temp=temp+A[k]; if (temp>maxRightSum) { maxRightSum=temp; } } return MaxThree(maxLeftSum+maxRightSum,maxSubArray2(A,start,mid),maxSubArray2(A,mid+1,end)); }
int maxSubArray3(int *A,int len) { int maxSum=A[0]; int temp=0; for (int k=0;k<len;k++) { temp=temp+A[k]; if (temp>maxSum) { maxSum=temp; } if (temp<0) { temp=0; } } return maxSum; }
int main() { int A[]={4, -3, 2 ,-2 ,4 , -7, 6 , -2 ,7 ,-5 ,8 , -7, 3}; int len=sizeof(A)/sizeof(int); cout<<maxSubarray1(A,len)<<endl; cout<<maxSubArray2(A,0,len-1)<<endl; cout<<maxSubArray3(A,len); return 0; }