2025-02-27 16:31:56 -08:00
|
|
|
// Copyright (c) Tailscale Inc & AUTHORS
|
|
|
|
// SPDX-License-Identifier: BSD-3-Clause
|
|
|
|
|
|
|
|
package eventbus
|
|
|
|
|
|
|
|
import (
|
|
|
|
"slices"
|
|
|
|
)
|
|
|
|
|
|
|
|
const maxQueuedItems = 16
|
|
|
|
|
|
|
|
// queue is an ordered queue of length up to maxQueuedItems.
|
2025-03-05 10:33:35 -08:00
|
|
|
type queue[T any] struct {
|
|
|
|
vals []T
|
2025-02-27 16:31:56 -08:00
|
|
|
start int
|
|
|
|
}
|
|
|
|
|
|
|
|
// canAppend reports whether a value can be appended to q.vals without
|
|
|
|
// shifting values around.
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) canAppend() bool {
|
2025-02-27 16:31:56 -08:00
|
|
|
return cap(q.vals) < maxQueuedItems || len(q.vals) < cap(q.vals)
|
|
|
|
}
|
|
|
|
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Full() bool {
|
2025-02-27 16:31:56 -08:00
|
|
|
return q.start == 0 && !q.canAppend()
|
|
|
|
}
|
|
|
|
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Empty() bool {
|
2025-02-27 16:31:56 -08:00
|
|
|
return q.start == len(q.vals)
|
|
|
|
}
|
|
|
|
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Len() int {
|
2025-02-27 16:31:56 -08:00
|
|
|
return len(q.vals) - q.start
|
|
|
|
}
|
|
|
|
|
|
|
|
// Add adds v to the end of the queue. Blocks until append can be
|
|
|
|
// done.
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Add(v T) {
|
2025-02-27 16:31:56 -08:00
|
|
|
if !q.canAppend() {
|
|
|
|
if q.start == 0 {
|
|
|
|
panic("Add on a full queue")
|
|
|
|
}
|
|
|
|
|
|
|
|
// Slide remaining values back to the start of the array.
|
|
|
|
n := copy(q.vals, q.vals[q.start:])
|
|
|
|
toClear := len(q.vals) - n
|
|
|
|
clear(q.vals[len(q.vals)-toClear:])
|
|
|
|
q.vals = q.vals[:n]
|
|
|
|
q.start = 0
|
|
|
|
}
|
|
|
|
|
|
|
|
q.vals = append(q.vals, v)
|
|
|
|
}
|
|
|
|
|
|
|
|
// Peek returns the first value in the queue, without removing it from
|
|
|
|
// the queue, or nil if the queue is empty.
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Peek() T {
|
2025-02-27 16:31:56 -08:00
|
|
|
if q.Empty() {
|
2025-03-05 10:33:35 -08:00
|
|
|
var zero T
|
|
|
|
return zero
|
2025-02-27 16:31:56 -08:00
|
|
|
}
|
|
|
|
|
|
|
|
return q.vals[q.start]
|
|
|
|
}
|
|
|
|
|
|
|
|
// Drop discards the first value in the queue, if any.
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Drop() {
|
2025-02-27 16:31:56 -08:00
|
|
|
if q.Empty() {
|
|
|
|
return
|
|
|
|
}
|
|
|
|
|
2025-03-05 10:33:35 -08:00
|
|
|
var zero T
|
|
|
|
q.vals[q.start] = zero
|
2025-02-27 16:31:56 -08:00
|
|
|
q.start++
|
|
|
|
if q.Empty() {
|
|
|
|
// Reset cursor to start of array, it's free to do.
|
|
|
|
q.start = 0
|
|
|
|
q.vals = q.vals[:0]
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Snapshot returns a copy of the queue's contents.
|
2025-03-05 10:33:35 -08:00
|
|
|
func (q *queue[T]) Snapshot() []T {
|
2025-02-27 16:31:56 -08:00
|
|
|
return slices.Clone(q.vals[q.start:])
|
|
|
|
}
|