Problem Description
You are given a 0-indexed integer array nums
. Return the maximum value over all triplets of indices (i, j, k)
such that i < j < k
. If all such triplets have a negative value, return 0
. The value of a triplet of indices (i, j, k)
is equal to (nums[i] - nums[j]) * nums[k]
.
Key Insights
- You need to evaluate all triplets
(i, j, k)
wherei < j < k
. - The value calculation depends on the difference
nums[i] - nums[j]
and the multiplication bynums[k]
. - If all calculated values are negative, the answer should be
0
.
Space and Time Complexity
Time Complexity: O(n^3) - due to the nested loops iterating through the array to form triplets.
Space Complexity: O(1) - no additional data structures are used that grow with input size.
Solution
To solve the problem, we will use a triple nested loop to iterate over all possible triplets (i, j, k)
. For each triplet, we will compute the value (nums[i] - nums[j]) * nums[k]
and keep track of the maximum value found. If the maximum value remains negative, we will return 0
.