blob: 9926eef66efc22787956d0be9908d80e929724d9 (
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
40
41
42
43
44
 | package buffer
import "io"
// Reader implements an io.Reader over a byte slice.
type Reader struct {
	buf []byte
	pos int
}
// NewReader returns a new Reader for a given byte slice.
func NewReader(buf []byte) *Reader {
	return &Reader{
		buf: buf,
	}
}
// Read reads bytes into the given byte slice and returns the number of bytes read and an error if occurred.
func (r *Reader) Read(b []byte) (n int, err error) {
	if len(b) == 0 {
		return 0, nil
	}
	if r.pos >= len(r.buf) {
		return 0, io.EOF
	}
	n = copy(b, r.buf[r.pos:])
	r.pos += n
	return
}
// Bytes returns the underlying byte slice.
func (r *Reader) Bytes() []byte {
	return r.buf
}
// Reset resets the position of the read pointer to the beginning of the underlying byte slice.
func (r *Reader) Reset() {
	r.pos = 0
}
// Len returns the length of the buffer.
func (r *Reader) Len() int {
	return len(r.buf)
}
 |