mirror of
https://github.com/minio/minio.git
synced 2025-02-19 01:22:31 -05:00
60 lines
2.1 KiB
Markdown
60 lines
2.1 KiB
Markdown
|
# ringbuffer
|
||
|
|
||
|
[data:image/s3,"s3://crabby-images/0d90b/0d90bd9896202a4f722a78ba643e65bd70814f5a" alt="License"](https://opensource.org/licenses/MIT) [data:image/s3,"s3://crabby-images/0d16a/0d16a5b2c43d245ee443af56e15cca76d2223aa4" alt="GoDoc"](http://godoc.org/github.com/smallnest/ringbuffer) [data:image/s3,"s3://crabby-images/d2f46/d2f46712528cfe8303cb9143a9710e91482df7c0" alt="Go Report Card"](https://goreportcard.com/report/github.com/smallnest/ringbuffer) [data:image/s3,"s3://crabby-images/faceb/faceb2f7c41f67024dfb07f0c04c513da0d53b21" alt="coveralls"](https://coveralls.io/github/smallnest/ringbuffer?branch=master)
|
||
|
|
||
|
A circular buffer (ring buffer) in Go, implemented io.ReaderWriter interface
|
||
|
|
||
|
[data:image/s3,"s3://crabby-images/e8575/e857529fe4572c58ac4f2794b2e1d0d1d2dd2174" alt="wikipedia"](https://github.com/smallnest/ringbuffer)
|
||
|
|
||
|
# Usage
|
||
|
|
||
|
```go
|
||
|
package main
|
||
|
|
||
|
import (
|
||
|
"fmt"
|
||
|
|
||
|
"github.com/smallnest/ringbuffer"
|
||
|
)
|
||
|
|
||
|
func main() {
|
||
|
rb := ringbuffer.New(1024)
|
||
|
|
||
|
// write
|
||
|
rb.Write([]byte("abcd"))
|
||
|
fmt.Println(rb.Length())
|
||
|
fmt.Println(rb.Free())
|
||
|
|
||
|
// read
|
||
|
buf := make([]byte, 4)
|
||
|
rb.Read(buf)
|
||
|
fmt.Println(string(buf))
|
||
|
}
|
||
|
```
|
||
|
|
||
|
It is possible to use an existing buffer with by replacing `New` with `NewBuffer`.
|
||
|
|
||
|
|
||
|
# Blocking vs Non-blocking
|
||
|
|
||
|
The default behavior of the ring buffer is non-blocking,
|
||
|
meaning that reads and writes will return immediately with an error if the operation cannot be completed.
|
||
|
If you want to block when reading or writing, you must enable it:
|
||
|
|
||
|
```go
|
||
|
rb := ringbuffer.New(1024).SetBlocking(true)
|
||
|
```
|
||
|
|
||
|
Enabling blocking will cause the ring buffer to behave like a buffered [io.Pipe](https://pkg.go.dev/io#Pipe).
|
||
|
|
||
|
Regular Reads will block until data is available, but not wait for a full buffer.
|
||
|
Writes will block until there is space available and writes bigger than the buffer will wait for reads to make space.
|
||
|
|
||
|
`TryRead` and `TryWrite` are still available for non-blocking reads and writes.
|
||
|
|
||
|
To signify the end of the stream, close the ring buffer from the writer side with `rb.CloseWriter()`
|
||
|
|
||
|
Either side can use `rb.CloseWithError(err error)` to signal an error and close the ring buffer.
|
||
|
Any reads or writes will return the error on next call.
|
||
|
|
||
|
In blocking mode errors are stateful and the same error will be returned until `rb.Reset()` is called.
|