1
0
mirror of https://github.com/go-micro/go-micro.git synced 2025-06-18 22:17:44 +02:00

Add debug/buffer package as a simple ring buffer

This commit is contained in:
Asim Aslam
2019-11-26 14:20:45 +00:00
parent 12d9c5b187
commit 8ee31a63f1
2 changed files with 110 additions and 0 deletions

58
debug/buffer/buffer.go Normal file
View File

@ -0,0 +1,58 @@
// Package buffer provides a simple ring buffer for storing local data
package buffer
import (
"sync"
)
type Buffer struct {
size int
sync.RWMutex
vals []interface{}
}
func (b *Buffer) Put(v interface{}) {
b.Lock()
defer b.Unlock()
// append to values
b.vals = append(b.vals, v)
// trim if bigger than size required
if len(b.vals) > b.size {
b.vals = b.vals[1:]
}
}
// Get returns the last n entries
func (b *Buffer) Get(n int) []interface{} {
// reset any invalid values
if n > b.size || n < 0 {
n = b.size
}
b.RLock()
defer b.RUnlock()
// create a delta
delta := b.size - n
// if all the values are less than delta
if len(b.vals) < delta {
return b.vals
}
// return the delta set
return b.vals[delta:]
}
func (b *Buffer) Size() int {
return b.size
}
// New returns a new buffer of the given size
func New(i int) *Buffer {
return &Buffer{
size: i,
}
}