Use bytes.Buffer instead of a slice for METADAPT-A writer

This commit is contained in:
Sasha Koshka 2025-11-19 20:36:10 -05:00
parent d6dc6d6e78
commit 9651fed635

View File

@ -6,6 +6,7 @@ import "fmt"
import "net"
import "sync"
import "time"
import "bytes"
import "context"
import "sync/atomic"
import "git.tebibyte.media/sashakoshka/go-util/sync"
@ -224,7 +225,7 @@ type transA struct {
incoming usync.Gate[incomingMessage]
currentReader io.Reader
currentWriter io.Closer
writeBuffer []byte
writeBuffer bytes.Buffer
closed atomic.Bool
closeErr error
@ -270,11 +271,16 @@ func (this *transA) SendWriter(method uint16) (io.WriteCloser, error) {
}
// create new writer
this.writeBuffer.Reset()
writer := &writerA {
parent: this,
// there is only ever one writer at a time, so they can all
// share a buffer
buffer: this.writeBuffer[:0],
// FIXME: use a buffer pool, and just reset the buffers before putting them
// back in. it will work just fine bc we dont ever allocate more than the chunk
// size anyway. perhaps create some sort of config value that disables this
// behavior and just uses one buffer
buffer: &this.writeBuffer,
method: method,
chunkSize: defaultChunkSize,
open: true,
@ -406,7 +412,7 @@ func (this *readerA) Read(buffer []byte) (int, error) {
type writerA struct {
parent *transA
buffer []byte
buffer *bytes.Buffer
method uint16
chunkSize int64
open bool
@ -425,7 +431,7 @@ func (this *writerA) Write(data []byte) (n int, err error) {
}
func (this *writerA) Close() error {
if len(this.buffer) > 0 {
if this.buffer.Len() > 0 {
this.flush(0)
}
this.open = false
@ -436,11 +442,11 @@ func (this *writerA) writeOne(data []byte) (n int, err error) {
data = data[:min(len(data), int(this.chunkSize))]
// if there is more room, append to the buffer and exit
if int64(len(this.buffer) + len(data)) <= this.chunkSize {
this.buffer = append(this.buffer, data...)
if int64(this.buffer.Len() + len(data)) <= this.chunkSize {
this.buffer.Write(data)
n = len(data)
// if have a full chunk, flush
if int64(len(this.buffer)) == this.chunkSize {
if int64(this.buffer.Len()) == this.chunkSize {
err = this.flush(1)
if err != nil { return n, err }
}
@ -450,13 +456,16 @@ func (this *writerA) writeOne(data []byte) (n int, err error) {
// if not, flush and store as much as we can in the buffer
err = this.flush(1)
if err != nil { return n, err }
this.buffer = append(this.buffer, data...)
n = int(min(int64(len(data)), this.chunkSize))
this.buffer.Write(data[:n])
return n, nil
}
func (this *writerA) flush(ccb uint64) error {
err := this.parent.parent.sendMessageSafe(this.parent.id, this.method, ccb, this.buffer)
this.buffer = this.buffer[0:0]
err := this.parent.parent.sendMessageSafe(
this.parent.id, this.method, ccb,
this.buffer.Bytes())
this.buffer.Reset()
return err
}