-
Notifications
You must be signed in to change notification settings - Fork 163
/
example_reader_test.go
48 lines (39 loc) · 1.61 KB
/
example_reader_test.go
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
45
46
47
48
package mimetype_test
import (
"bytes"
"fmt"
"io"
"github.com/gabriel-vasile/mimetype"
)
// Pure io.Readers (meaning those without a Seek method) cannot be read twice.
// This means that once DetectReader has been called on an io.Reader, that reader
// is missing the bytes representing the header of the file.
// To detect the MIME type and then reuse the input, use a buffer, io.TeeReader,
// and io.MultiReader to create a new reader containing the original, unaltered data.
//
// If the input is an io.ReadSeeker instead, call input.Seek(0, io.SeekStart)
// before reusing it.
func Example_detectReader() {
testBytes := []byte("This random text has a MIME type of text/plain; charset=utf-8.")
input := bytes.NewReader(testBytes)
mtype, recycledInput, err := recycleReader(input)
// Verify recycledInput contains the original input.
text, _ := io.ReadAll(recycledInput)
fmt.Println(mtype, bytes.Equal(testBytes, text), err)
// Output: text/plain; charset=utf-8 true <nil>
}
// recycleReader returns the MIME type of input and a new reader
// containing the whole data from input.
func recycleReader(input io.Reader) (mimeType string, recycled io.Reader, err error) {
// header will store the bytes mimetype uses for detection.
header := bytes.NewBuffer(nil)
// After DetectReader, the data read from input is copied into header.
mtype, err := mimetype.DetectReader(io.TeeReader(input, header))
if err != nil {
return
}
// Concatenate back the header to the rest of the file.
// recycled now contains the complete, original data.
recycled = io.MultiReader(header, input)
return mtype.String(), recycled, err
}