LeetCode in Kotlin

2562. Find the Array Concatenation Value

Easy

You are given a 0-indexed integer array nums.

The concatenation of two numbers is the number formed by concatenating their numerals.

The concatenation value of nums is initially equal to 0. Perform this operation until nums becomes empty:

Return the concatenation value of the nums.

Example 1:

Input: nums = [7,52,2,4]

Output: 596

Explanation: Before performing any operation, nums is [7,52,2,4] and concatenation value is 0.

Example 2:

Input: nums = [5,14,13,8,12]

Output: 673

Explanation: Before performing any operation, nums is [5,14,13,8,12] and concatenation value is 0.

Constraints:

Solution

class Solution {
    fun findTheArrayConcVal(nums: IntArray): Long {
        val n = nums.size
        var result = 0L
        for (i in 0..(n - 1) / 2) {
            result += if (i < n - 1 - i) {
                val concat = "" + nums[i] + nums[n - 1 - i]
                concat.toLong()
            } else nums[i].toLong()
        }
        return result
    }
}