blob: c1265ccdadb3d21e8efa16ea75e260294f138198 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
|
package roadrunner
import (
"bytes"
"sync"
)
// thread safe buffer
type buffer struct {
mu sync.Mutex
buffer *bytes.Buffer
}
// Len returns the number of bytes of the unread portion of the buffer;
// b.Len() == len(b.Bytes()).
func (b *buffer) Len() int {
b.mu.Lock()
defer b.mu.Unlock()
return b.buffer.Len()
}
// Write appends the contents of p to the buffer, growing the buffer as
// needed. The return value n is the length of p; err is always nil. If the
// buffer becomes too large, Write will panic with ErrTooLarge.
func (b *buffer) Write(p []byte) (n int, err error) {
b.mu.Lock()
defer b.mu.Unlock()
return b.buffer.Write(p)
}
// Strings fetches all buffer data into string.
func (b *buffer) String() string {
b.mu.Lock()
defer b.mu.Unlock()
return b.buffer.String()
}
|