LeetCode in Kotlin

3314. Construct the Minimum Bitwise Array I

Easy

You are given an array nums consisting of n prime integers.

You need to construct an array ans of length n, such that, for each index i, the bitwise OR of ans[i] and ans[i] + 1 is equal to nums[i], i.e. ans[i] OR (ans[i] + 1) == nums[i].

Additionally, you must minimize each value of ans[i] in the resulting array.

If it is not possible to find such a value for ans[i] that satisfies the condition, then set ans[i] = -1.

Example 1:

Input: nums = [2,3,5,7]

Output: [-1,1,4,3]

Explanation:

Example 2:

Input: nums = [11,13,31]

Output: [9,12,15]

Explanation:

Constraints:

Solution

class Solution {
    fun minBitwiseArray(nums: List<Int>): IntArray {
        val l = nums.size
        val r = IntArray(l)
        for (i in 0 until l) {
            r[i] = check(nums[i])
        }
        return r
    }

    private fun check(v: Int): Int {
        if (v % 2 == 0) {
            return -1
        }
        for (j in 1 until v) {
            if ((j or (j + 1)) == v) {
                return j
            }
        }
        return -1
    }
}