Problem Description
You are given a 0-indexed integer array nums
. For each index i
(1 <= i <= nums.length - 2), the beauty of nums[i]
equals:
- 2, if
nums[j] < nums[i] < nums[k]
for all0 <= j < i
and for alli < k <= nums.length - 1
. - 1, if
nums[i - 1] < nums[i] < nums[i + 1]
, and the previous condition is not satisfied. - 0, if none of the previous conditions holds.
Return the sum of beauty of all nums[i]
where 1 <= i <= nums.length - 2
.
Key Insights
- The beauty of an element depends on its surrounding elements.
- We need to check conditions for elements to the left and right of the current index.
- Efficiently determining the maximum and minimum values to the left and right can help in evaluating the beauty conditions.
- We can use prefix and suffix arrays to store the maximum and minimum values.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(n)
Solution
To solve the problem, we will use two auxiliary arrays: leftMax
and rightMax
. The leftMax
array will store the maximum value encountered from the left up to each index, and the rightMax
array will store the maximum value encountered from the right. Similarly, we can also maintain leftMin
and rightMin
for minimum values. With this setup, we can evaluate the beauty of each element in constant time.
- Traverse the array to fill
leftMax
andleftMin
. - Traverse the array in reverse to fill
rightMax
andrightMin
. - For each index
i
, check the conditions to determine its beauty using the precomputed values. - Sum the beauty values and return the result.