Problem Description
You may recall that an array arr
is a mountain array if and only if:
arr.length >= 3
- There exists some index
i
(0-indexed) with0 < i < arr.length - 1
such that:arr[0] < arr[1] < ... < arr[i - 1] < arr[i]
arr[i] > arr[i + 1] > ... > arr[arr.length - 1]
Given an integer array nums
, return the minimum number of elements to remove to make nums
a mountain array.
Key Insights
- The array must have a peak, which is the highest point, and elements must ascend to the peak and descend afterwards.
- We can utilize dynamic programming to find the longest increasing subsequence (LIS) for the ascending part and the longest decreasing subsequence (LDS) for the descending part.
- The total removals needed will be the total number of elements minus the longest valid mountain sequence.
Space and Time Complexity
Time Complexity: O(n^2)
Space Complexity: O(n)
Solution
To solve the problem, we can break it into two main parts: finding the longest increasing subsequence (LIS) and the longest decreasing subsequence (LDS) from the input array.
- First, we will compute the LIS for every index in the array. This represents the maximum number of elements we can have before the peak.
- Then, we will compute the LDS for each index in reverse order. This represents the maximum number of elements we can have after the peak.
- The peak index can be any index between the first and the last index, and we will find the maximum value of
LIS[i] + LDS[i] - 1
(subtracting 1 because the peak element is counted twice). - Finally, the minimum number of removals will be the total number of elements minus the maximum valid mountain length.