mirror of
https://github.com/open-telemetry/opentelemetry-go.git
synced 2024-12-30 21:20:04 +02:00
30e82e01b6
benchstat: ``` goos: darwin goarch: arm64 pkg: go.opentelemetry.io/otel/sdk/trace │ old │ new │ │ sec/op │ sec/op vs base │ TraceStart-10 950.6n ± 1% 641.0n ± 0% -32.57% (p=0.000 n=10) │ old │ new │ │ B/op │ B/op vs base │ TraceStart-10 1040.0 ± 0% 704.0 ± 0% -32.31% (p=0.000 n=10) │ old │ new │ │ allocs/op │ allocs/op vs base │ TraceStart-10 20.00 ± 0% 14.00 ± 0% -30.00% (p=0.000 n=10) ``` --------- Co-authored-by: Damien Mathieu <damien.mathieu@elastic.co> Co-authored-by: Tyler Yahn <MrAlias@users.noreply.github.com>
60 lines
1.5 KiB
Go
60 lines
1.5 KiB
Go
// Copyright The OpenTelemetry Authors
|
|
// SPDX-License-Identifier: Apache-2.0
|
|
|
|
package trace // import "go.opentelemetry.io/otel/sdk/trace"
|
|
|
|
import (
|
|
"slices"
|
|
"sync"
|
|
|
|
"go.opentelemetry.io/otel/internal/global"
|
|
)
|
|
|
|
// evictedQueue is a FIFO queue with a configurable capacity.
|
|
type evictedQueue[T any] struct {
|
|
queue []T
|
|
capacity int
|
|
droppedCount int
|
|
logDropped func()
|
|
}
|
|
|
|
func newEvictedQueueEvent(capacity int) evictedQueue[Event] {
|
|
// Do not pre-allocate queue, do this lazily.
|
|
return evictedQueue[Event]{
|
|
capacity: capacity,
|
|
logDropped: sync.OnceFunc(func() { global.Warn("limit reached: dropping trace trace.Event") }),
|
|
}
|
|
}
|
|
|
|
func newEvictedQueueLink(capacity int) evictedQueue[Link] {
|
|
// Do not pre-allocate queue, do this lazily.
|
|
return evictedQueue[Link]{
|
|
capacity: capacity,
|
|
logDropped: sync.OnceFunc(func() { global.Warn("limit reached: dropping trace trace.Link") }),
|
|
}
|
|
}
|
|
|
|
// add adds value to the evictedQueue eq. If eq is at capacity, the oldest
|
|
// queued value will be discarded and the drop count incremented.
|
|
func (eq *evictedQueue[T]) add(value T) {
|
|
if eq.capacity == 0 {
|
|
eq.droppedCount++
|
|
eq.logDropped()
|
|
return
|
|
}
|
|
|
|
if eq.capacity > 0 && len(eq.queue) == eq.capacity {
|
|
// Drop first-in while avoiding allocating more capacity to eq.queue.
|
|
copy(eq.queue[:eq.capacity-1], eq.queue[1:])
|
|
eq.queue = eq.queue[:eq.capacity-1]
|
|
eq.droppedCount++
|
|
eq.logDropped()
|
|
}
|
|
eq.queue = append(eq.queue, value)
|
|
}
|
|
|
|
// copy returns a copy of the evictedQueue.
|
|
func (eq *evictedQueue[T]) copy() []T {
|
|
return slices.Clone(eq.queue)
|
|
}
|