题目描述:
Given a sequence a[1],a[2],a[3]......a[n], your job is to calculate the max sum of a sub-sequence. For example, given (6,-1,5,4,-7), the max sum in this sequence is 6 + (-1) + 5 + 4 = 14.
输入描述:
The first line of the input contains an integer T(1<=T<=20) which means the number of test cases. Then T lines follow, each line starts with a number N(1<=N<=100000), then N integers followed(all the integers are between -1000 and 1000).
输出描述:
For each test case, you should output two lines. The first line is "Case #:", # means the number of the test case. The second line contains three integers, the Max Sum in the sequence, the start position of the sub-sequence, the end position of the sub-sequence. If there are more than one result, output the first one. Output a blank line between two cases.
输入例子:
2
5 6 -1 5 4 -7
7 0 6 -1 1 -6 7 -5
输出例子:
Case 1:
14 1 4
Case 2:
7 1 6
解题思路:
在输入的数组中,从第一个开始逐个相加,并将每次相加的最大和保存,即假设数组a[0],a[1],...,a[N],再设一个MAX变量保存最大和的值(初始为一个无穷小的数),从a[0]开始,每次加一个数,并将每次所得的和与最大和比较,如果比最大和大,那么就把最大和的值变为当前所得和的值。如果,当前所得的和的值为负数,就要把下一个数作为第一个数重新开始计算最大和。因为当前所得的和的值为负数,如果再加一个数所得的和一定比加的这个数小,所以一定不是最大和,因此把下一个数作为第一个数,重新开始每次加上之后的数,计算最大和。
代码:
#include <iostream>
#define N 100000
using namespace std;
int main(){
int T;
cin>>T;
int line=0;
while(T--){
int count=0;
++line;
int a[N];
int n;
cin>>n;
for(int i=0;i<n;++i){
cin>>a[i];
}
int max=-10001;
int first=0,last=0,firstt=0;
cout<<"Case "<<line<<":"<<endl;
for(int i=0;i<n;++i){
count+=a[i];
if(max<count){
max=count;
firstt=first;
last=i;
}
if(count<0){
first=i+1;
count=0;
}
}
cout<<max<<' '<<firstt+1<<' '<<last+1<<endl;
if(T) cout<<endl;
}
return 0;
}
遇到的问题:
- 当count值小于0时,要将first的值置为下一个数的索引,但是,first变量的值只能作为记录当前和(count)的范围的第一个数的索引,而不是最大和(max)的范围的第一个数的索引。所以,我定义了一个firstt变量来保存最大和(max)的范围的第一个数的索引,每次最大和(max)改变时,firstt才会改变。
- 一开始,我用一个数组来保存每次所求的和,再求这个数组的最大值,并且用一个循环嵌套,外循环用来将每个数作为和范围的第一个数,内循环遍历外循环指向的数之后的所有数并求和,将每个和都求出保存在数组中,这样会产生超时。