I'm trying to implement amazon interview question.
Find the maximum sum of lengths of non-overlapping contiguous subarrays with k as the maximum element. Ex: Array: {2,1,4,9,2,3,8,3,4} and k = 4 Ans: 5 {2,1,4} => Length = 3 {3,4} => Length = 2 So, 3 + 2 = 5 is the answer
I have implement program:
#include <iostream>
using namespace std;
int main()
{
int a[] = {2,1,4,9,2,3,8,3,4,2};
int cnt = 0, i = 0, j = 0, ele, k = 4;
int tmp = 0, flag = 0;
ele = sizeof(a)/sizeof(a[0]);
for(j = 0; j < ele; )
{
i = j;
//while( i < ele && a[i++] <= k) //It's working fine
while(a[i] <= k && i++ < ele) // It's not work
{
cnt++;
cout<<"while"<<endl;
}
while(j < i)
{
if(a[j++] == k)
{
flag = 1;
}
}
if(flag == 1)
{
tmp += cnt;
flag = 0;
}
cnt = 0;
j = i;
}
cout<<"count : "<<tmp<<endl;
return 0;
}
In my program, I used
while( i < ele && a[i++] <= k)
It's working fine and gives correct output.
But, If I use
while(a[i] <= k && i++ < ele)
then my program is stuck. Why?