I'm writing code to compute a single value answer to a given numbers in integer array such that step sum is calculated till only 1 number is left.
For example:
Input:
3,5,2,6,7
Output is computed as:
(3+5)+(5+2)+(2+6)+(6+7)
It remains like this till I only have a single number left.
3 5 2 6 7
8 7 8 13
15 15 21
30 36
66
int inputarray={3,5,2,6,7};
int inputlength=inputarray.length;
while(inputlength!=0)
{
for(int i=0;i<inputlength-1;i++)
{
inputarray[i]=inputarray[i+1]+inputarray[i];
}
inputlength--;
}
System.out.println(inputarray[0]);
It computes the result in quadratic growth. Is there any way to compute my result more efficiently? What else can I do to improve it?