LeetCode in Kotlin

2909. Minimum Sum of Mountain Triplets II

Medium

You are given a 0-indexed array nums of integers.

A triplet of indices (i, j, k) is a mountain if:

Return the minimum possible sum of a mountain triplet of nums. If no such triplet exists, return -1.

Example 1:

Input: nums = [8,6,1,5,3]

Output: 9

Explanation: Triplet (2, 3, 4) is a mountain triplet of sum 9 since:

And the sum of this triplet is nums[2] + nums[3] + nums[4] = 9. It can be shown that there are no mountain triplets with a sum of less than 9.

Example 2:

Input: nums = [5,4,8,7,10,2]

Output: 13

Explanation: Triplet (1, 3, 5) is a mountain triplet of sum 13 since:

And the sum of this triplet is nums[1] + nums[3] + nums[5] = 13. It can be shown that there are no mountain triplets with a sum of less than 13.

Example 3:

Input: nums = [6,5,4,3,4,5]

Output: -1

Explanation: It can be shown that there are no mountain triplets in nums.

Constraints:

Solution

import kotlin.math.min

class Solution {
    fun minimumSum(nums: IntArray): Int {
        val n = nums.size
        val leftSmallest = IntArray(n)
        val rightSmallest = IntArray(n)
        var currSmallest = nums[0]
        leftSmallest[0] = -1
        for (i in 1 until n) {
            if (currSmallest >= nums[i]) {
                leftSmallest[i] = -1
                currSmallest = nums[i]
            } else {
                leftSmallest[i] = currSmallest
            }
        }
        currSmallest = nums[n - 1]
        rightSmallest[n - 1] = -1
        for (i in n - 2 downTo 0) {
            if (currSmallest >= nums[i]) {
                rightSmallest[i] = -1
                currSmallest = nums[i]
            } else {
                rightSmallest[i] = currSmallest
            }
        }
        var ans = Int.MAX_VALUE
        for (i in 0 until n) {
            if (leftSmallest[i] != -1 && rightSmallest[i] != -1) {
                ans = min(ans.toDouble(), (leftSmallest[i] + rightSmallest[i] + nums[i]).toDouble())
                    .toInt()
            }
        }
        if (ans == Int.MAX_VALUE) {
            return -1
        }
        return ans
    }
}