


An array c is a subarray of array d if c can be obtained from d by deletion of several elements from the beginning and several elements from the end.
For e.g.- The non-empty subarrays of an array [1,2,3] will be- [1],[2],[3],[1,2],[2,3],[1,2,3].
If arr = {-3,4,5}.
All the possible non-empty contiguous subarrays of “arr” are {-3}, {4}, {5}, {-3,4}, {4,5} and {-3,4,5}.
The product of these subarrays are -3, 4, 5, -12, 20 and -60 respectively.
The maximum product is 20. Hence, the answer is 20.
Can you solve this in linear time and constant space complexity?
The first line contains an integer 'T' which denotes the number of test cases or queries to be run. Then, the T test cases follow.
The first line of each test case contains a single integer N, denoting the number of elements of the array “arr”.
The second line of each test case contains N space separated integers denoting the elements of the array “arr”.
For each test case, print the maximum product of the contiguous non-empty subarray of the array “arr”.
Output for each test case will be printed in a separate line.
You do not need to print anything. It has already been taken care of. Just implement the given function.
1 <= T <= 100
1 <= N <= 5000
-100 <= arr[i] <= 100
where N is the size of the array “arr”.
Time limit: 1 second
In the previous approach, we were trying to find the product of all the possible subarrays of the array. But, we can optimize this approach with a simple trick. Note that the product of an even number of negative integers is a positive integer.
Now, let’s say the number of negative integers in a subarray of the array is P. If P is even, then we should take all the negative integers as the product of these elements will be positive. If P is odd, then we have to take P - 1 negative integer. Since this has to be a contiguous subarray, so we can either exclude one negative integer from the beginning or from the end.
So, we can take two integers to calculate the product from the beginning and the product from the end of the array. We will traverse the array “arr”, multiply arr[i] with the product from the beginning and arr[N - i - 1] with the product from the end. Then calculate the maximum of these two products in every iteration. Also, if at any point, if we encounter a 0, i.e. if either of the products become 0, then make that product 1 again.