AdGuardHome/internal/aghalg/ringbuffer.go

95 lines
1.8 KiB
Go
Raw Normal View History

2023-10-11 15:31:41 +01:00
package aghalg
// RingBuffer is the implementation of ring buffer data structure.
type RingBuffer[T any] struct {
buf []T
2024-01-30 15:43:51 +00:00
cur uint
2023-10-11 15:31:41 +01:00
full bool
}
// NewRingBuffer initializes the new instance of ring buffer. size must be
// greater or equal to zero.
2024-01-30 15:43:51 +00:00
func NewRingBuffer[T any](size uint) (rb *RingBuffer[T]) {
2023-10-11 15:31:41 +01:00
return &RingBuffer[T]{
buf: make([]T, size),
}
}
// Append appends an element to the buffer.
func (rb *RingBuffer[T]) Append(e T) {
if len(rb.buf) == 0 {
return
}
rb.buf[rb.cur] = e
2024-01-30 15:43:51 +00:00
rb.cur = (rb.cur + 1) % uint(cap(rb.buf))
2023-10-11 15:31:41 +01:00
if rb.cur == 0 {
rb.full = true
}
}
// Range calls cb for each element of the buffer. If cb returns false it stops.
func (rb *RingBuffer[T]) Range(cb func(T) (cont bool)) {
before, after := rb.splitCur()
for _, e := range before {
if !cb(e) {
return
}
}
for _, e := range after {
if !cb(e) {
return
}
}
}
// ReverseRange calls cb for each element of the buffer in reverse order. If
// cb returns false it stops.
func (rb *RingBuffer[T]) ReverseRange(cb func(T) (cont bool)) {
before, after := rb.splitCur()
for i := len(after) - 1; i >= 0; i-- {
if !cb(after[i]) {
return
}
}
for i := len(before) - 1; i >= 0; i-- {
if !cb(before[i]) {
return
}
}
}
// splitCur splits the buffer in two, before and after current position in
// chronological order. If buffer is not full, after is nil.
func (rb *RingBuffer[T]) splitCur() (before, after []T) {
if len(rb.buf) == 0 {
return nil, nil
}
cur := rb.cur
if !rb.full {
return rb.buf[:cur], nil
}
return rb.buf[cur:], rb.buf[:cur]
}
// Len returns a length of the buffer.
2024-01-30 15:43:51 +00:00
func (rb *RingBuffer[T]) Len() (l uint) {
2023-10-11 15:31:41 +01:00
if !rb.full {
return rb.cur
}
2024-01-30 15:43:51 +00:00
return uint(cap(rb.buf))
2023-10-11 15:31:41 +01:00
}
// Clear clears the buffer.
func (rb *RingBuffer[T]) Clear() {
rb.full = false
rb.cur = 0
}