π One-stop destination for all your technical interview Preparation π
Given an integer array nums, find a contiguous non-empty subarray within the array that has the largest product, and return the product.
It is guaranteed that the answer will fit in a 32-bit integer.
A subarray is a contiguous subsequence of the array.
class Solution {
public:
int maxProduct(vector<int>& nums)
{
int prefix = 0, suffix = 0, max_so_far = INT_MIN;
int n = nums.size();
for (int i = 0; i < n; i++) {
prefix = (prefix ? prefix : 1) * nums[i];
suffix = (suffix ? suffix : 1) * nums[n-1-i];
max_so_far = max({ max_so_far, prefix, suffix });
}
return max_so_far;
}
};