LeetCode in Kotlin

1860. Incremental Memory Leak

Medium

You are given two integers memory1 and memory2 representing the available memory in bits on two memory sticks. There is currently a faulty program running that consumes an increasing amount of memory every second.

At the ith second (starting from 1), i bits of memory are allocated to the stick with more available memory (or from the first memory stick if both have the same available memory). If neither stick has at least i bits of available memory, the program crashes.

Return an array containing [crashTime, memory1crash, memory2crash], where crashTime is the time (in seconds) when the program crashed and memory1crash and memory2crash are the available bits of memory in the first and second sticks respectively.

Example 1:

Input: memory1 = 2, memory2 = 2

Output: [3,1,0]

Explanation: The memory is allocated as follows:

Example 2:

Input: memory1 = 8, memory2 = 11

Output: [6,0,4]

Explanation: The memory is allocated as follows:

Constraints:

Solution

@Suppress("NAME_SHADOWING")
class Solution {
    fun memLeak(memory1: Int, memory2: Int): IntArray {
        var memory1 = memory1
        var memory2 = memory2
        var time = 1
        while (memory1 >= time || memory2 >= time) {
            if (memory1 >= memory2) {
                memory1 -= time
            } else {
                memory2 -= time
            }
            time++
        }
        return intArrayOf(time, memory1, memory2)
    }
}