Hello,
I have a sorted vector and my operation is to get the sum, but only for the group of numbers that have more than 4 elements and difference less than 3.
ex: Let say I have vec1={0 ,4,6,7,8,9 , 20,21,22,23,24,25 ,50,51,52 ,70,71,72,73,74,75}
My output must be
group 1: 4,6,7,8,9 Sum: 34
group 2: 20,21,22,23,24,25 Sum: 135
group 3: 70,71,72,73,74,75 Sum: 435
Below is my attempt where i am missing the last element of each group and also the last group.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47
|
#include <iostream>
#include <vector>
using namespace std;
int main()
{
std::vector<int>vec1{0,4,6,7,8,9,20,21,22,23,24,25,50,51,70,71,72,73,74,75};
std::vector<int>vec2;
int counter1 =0;
int counter2 =0;
int counter3 =0;
for (int a =0; a< vec1.size()-1; a++)
{
if ((vec1[a+1]-vec1[a])<3)
{
counter1++;
vec2.push_back(vec1[a]);
}
else
{
if (counter1>=4)
{
int sum=0;
for(int b =0; b<vec2.size();b++)
{
cout<<vec2[b]<<"\t";
sum = sum+ vec2[b];
}
cout<<"\nCounter "<<counter1<<"\t"<<"Sum "<<sum<<endl;
counter3++;
}
counter1 =0;
vec2.clear();
cout<<" DIFFERENCE EXCEEDED "<<endl;
}
if (((vec1[a+1]-vec1[a])<3)&&(a==vec1.size()-2)&&(counter1>4))
{
counter1++;
vec2.push_back(vec1[a]);
}
}
cout<<counter3<<"\t";
return 0;
}
| |