commonMain.internal.ArrayQueue.kt Maven / Gradle / Ivy
Go to download
Show more of this group Show more artifacts with this name
Show all versions of kotlinx-coroutines-core Show documentation
Show all versions of kotlinx-coroutines-core Show documentation
Coroutines support libraries for Kotlin
/*
* Copyright 2016-2018 JetBrains s.r.o. Use of this source code is governed by the Apache 2.0 license.
*/
package kotlinx.coroutines.internal
internal open class ArrayQueue {
private var elements = arrayOfNulls(16)
private var head = 0
private var tail = 0
val isEmpty: Boolean get() = head == tail
public fun addLast(element: T) {
elements[tail] = element
tail = (tail + 1) and elements.size - 1
if (tail == head) ensureCapacity()
}
@Suppress("UNCHECKED_CAST")
public fun removeFirstOrNull(): T? {
if (head == tail) return null
val element = elements[head]
elements[head] = null
head = (head + 1) and elements.size - 1
return element as T
}
public fun clear() {
head = 0
tail = 0
elements = arrayOfNulls(elements.size)
}
private fun ensureCapacity() {
val currentSize = elements.size
val newCapacity = currentSize shl 1
val newElements = arrayOfNulls(newCapacity)
val remaining = elements.size - head
arraycopy(elements, head, newElements, 0, remaining)
arraycopy(elements, 0, newElements, remaining, head)
elements = newElements
head = 0
tail = currentSize
}
}