LeetCode in Kotlin

3001. Minimum Moves to Capture The Queen

Medium

There is a 1-indexed 8 x 8 chessboard containing 3 pieces.

You are given 6 integers a, b, c, d, e, and f where:

Given that you can only move the white pieces, return the minimum number of moves required to capture the black queen.

Note that:

Example 1:

Input: a = 1, b = 1, c = 8, d = 8, e = 2, f = 3

Output: 2

Explanation: We can capture the black queen in two moves by moving the white rook to (1, 3) then to (2, 3).

It is impossible to capture the black queen in less than two moves since it is not being attacked by any of the pieces at the beginning.

Example 2:

Input: a = 5, b = 3, c = 3, d = 4, e = 5, f = 2

Output: 1

Explanation: We can capture the black queen in a single move by doing one of the following:

Constraints:

Solution

import kotlin.math.abs

class Solution {
    fun minMovesToCaptureTheQueen(a: Int, b: Int, c: Int, d: Int, e: Int, f: Int): Int {
        if (a == e || b == f) {
            if (a == c && (d > b && d < f || d > f && d < b)) {
                return 2
            }
            if (b == d && (c > a && c < e || c > e && c < a)) {
                return 2
            }
            return 1
        } else if (abs(c - e) == abs(d - f)) {
            if (abs(a - c) == abs(b - d) &&
                abs(e - a) == abs(f - b) &&
                (a > e && a < c || a > c && a < e)
            ) {
                return 2
            }
            return 1
        }
        return 2
    }
}