I'm looking for a way to search for the minimum subsequent size from a sequence that it's sum satisfies the minimum sum needed from the question.
Examples (take note the index started from 0):
arr[]={5, 1, 3, 5, 10, 7, 4, 9, 2, 8}
sum = 15
so the answer should be 2, because the minimum size of the subsequence is from
a[3]-a[4].
arr[]={1, 2, 3, 4, 5}
sum = 11
so the answer should be 3, because the minimum size of the subsequence is from
a[2]-a[4].
I tried to use a greedy method, with a code below:
#include <bits/stdc++.h>
using namespace std;
int main(){
vector <int> sequence;
int sequenceSize, sumAsked;
cin>>sequenceSize>>sumAsked;
int sum=0, count=sequenceSize, front=0, back=sequenceSize-1;
for(int i=0; i<sequenceSize; i++){
int j;
cin>>j;
sequence.push_back(j);
sum+=j;
}
if(sum<sumAsked){
cout<<0<<endl;
}
else{
while(sum>sumAsked){
if(sequence[front]>=sequence[back]){
sum-=sequence[back];
back--;
count--;
}
else{
sum-=sequence[front];
front++;
count--;
}
}
cout<<count+1<<endl;
}
}
The code seems to work on both test case, but it got wrong on the online judge. Is there any better code or method for me to work with?
I have actually got an
accepted
answer on the judge, and it looked like this,I think it's possible, though, to not taking note all of the answer on a vector, but I think it's good enough already.