LeetCode in Kotlin

2096. Step-By-Step Directions From a Binary Tree Node to Another

Medium

You are given the root of a binary tree with n nodes. Each node is uniquely assigned a value from 1 to n. You are also given an integer startValue representing the value of the start node s, and a different integer destValue representing the value of the destination node t.

Find the shortest path starting from node s and ending at node t. Generate step-by-step directions of such path as a string consisting of only the uppercase letters 'L', 'R', and 'U'. Each letter indicates a specific direction:

Return the step-by-step directions of the shortest path from node s to node t.

Example 1:

Input: root = [5,1,2,3,null,6,4], startValue = 3, destValue = 6

Output: “UURL”

Explanation: The shortest path is: 3 → 1 → 5 → 2 → 6.

Example 2:

Input: root = [2,1], startValue = 2, destValue = 1

Output: “L”

Explanation: The shortest path is: 2 → 1.

Constraints:

Solution

import com_github_leetcode.TreeNode

/*
 * Example:
 * var ti = TreeNode(5)
 * var v = ti.`val`
 * Definition for a binary tree node.
 * class TreeNode(var `val`: Int) {
 *     var left: TreeNode? = null
 *     var right: TreeNode? = null
 * }
 */
class Solution {
    private fun find(n: TreeNode?, `val`: Int, sb: StringBuilder): Boolean {
        if (n!!.`val` == `val`) {
            return true
        }
        if (n.left != null && find(n.left, `val`, sb)) {
            sb.append("L")
        } else if (n.right != null && find(n.right, `val`, sb)) {
            sb.append("R")
        }
        return sb.isNotEmpty()
    }

    fun getDirections(root: TreeNode?, startValue: Int, destValue: Int): String {
        val s = StringBuilder()
        val d = StringBuilder()
        find(root, startValue, s)
        find(root, destValue, d)
        var i = 0
        val maxI = d.length.coerceAtMost(s.length)
        while (i < maxI && s[s.length - i - 1] == d[d.length - i - 1]) {
            ++i
        }
        val result = StringBuilder()
        for (j in 0 until s.length - i) {
            result.append("U")
        }
        result.append(d.reverse().substring(i))
        return result.toString()
    }
}