Problem Description
You are given a 0-indexed array nums
of integers. A triplet of indices (i, j, k)
is a mountain if:
i < j < k
nums[i] < nums[j]
andnums[k] < nums[j]
Return the minimum possible sum of a mountain triplet of nums
. If no such triplet exists, return -1
.
Key Insights
- A mountain triplet requires three indices where the middle element is greater than the other two.
- The problem can be solved by iterating through possible middle elements and checking conditions for potential triplets.
- We can maintain a minimum sum while ensuring the triplet conditions are met.
Space and Time Complexity
Time Complexity: O(n^3)
Space Complexity: O(1)
Solution
To solve the problem, we can use a brute-force approach that involves three nested loops to examine all possible triplets (i, j, k)
. For each valid middle index j
, we will look for indices i
and k
such that:
i < j < k
nums[i] < nums[j]
andnums[k] < nums[j]
If these conditions are met, we will calculate the sum of the triplet and update the minimum sum found. If no valid triplets are found, we return -1
.