LeetCode in Kotlin

838. Push Dominoes

Medium

There are n dominoes in a line, and we place each domino vertically upright. In the beginning, we simultaneously push some of the dominoes either to the left or to the right.

After each second, each domino that is falling to the left pushes the adjacent domino on the left. Similarly, the dominoes falling to the right push their adjacent dominoes standing on the right.

When a vertical domino has dominoes falling on it from both sides, it stays still due to the balance of the forces.

For the purposes of this question, we will consider that a falling domino expends no additional force to a falling or already fallen domino.

You are given a string dominoes representing the initial state where:

Return a string representing the final state.

Example 1:

Input: dominoes = “RR.L”

Output: “RR.L”

Explanation: The first domino expends no additional force on the second domino.

Example 2:

Input: dominoes = “.L.R…LR..L..”

Output: “LL.RR.LLRRLL..”

Constraints:

Solution

class Solution {
    fun pushDominoes(dominoes: String): String {
        val ch = CharArray(dominoes.length + 2)
        ch[0] = 'L'
        ch[ch.size - 1] = 'R'
        for (k in 1 until ch.size - 1) {
            ch[k] = dominoes[k - 1]
        }
        var i = 0
        var j = 1
        while (j < ch.size) {
            while (ch[j] == '.') {
                j++
            }
            if (ch[i] == 'L' && ch[j] == 'L') {
                while (i != j) {
                    ch[i] = 'L'
                    i++
                }
                j++
            } else if (ch[i] == 'R' && ch[j] == 'R') {
                while (i != j) {
                    ch[i] = 'R'
                    i++
                }
                j++
            } else if (ch[i] == 'L' && ch[j] == 'R') {
                i = j
                j++
            } else if (ch[i] == 'R' && ch[j] == 'L') {
                var rTemp = i + 1
                var lTemp = j - 1
                while (rTemp < lTemp) {
                    ch[rTemp] = 'R'
                    ch[lTemp] = 'L'
                    rTemp++
                    lTemp--
                }
                i = j
                j++
            }
        }
        val sb = StringBuilder()
        for (k in 1 until ch.size - 1) {
            sb.append(ch[k])
        }
        return sb.toString()
    }
}