-
Notifications
You must be signed in to change notification settings - Fork 66
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
2 changed files
with
77 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,39 @@ | ||
package httpclient | ||
|
||
import ( | ||
"io" | ||
) | ||
|
||
type CloseCallbackFunc func(bytesRead int64) | ||
|
||
// CountBytesReader counts the total amount of bytes read from the underlying reader. | ||
// | ||
// The provided callback func will be called before the underlying reader is closed. | ||
func CountBytesReader(reader io.ReadCloser, callback CloseCallbackFunc) io.ReadCloser { | ||
if reader == nil { | ||
panic("reader cannot be nil") | ||
} | ||
|
||
if callback == nil { | ||
panic("callback cannot be nil") | ||
} | ||
|
||
return &countBytesReader{reader: reader, callback: callback} | ||
} | ||
|
||
type countBytesReader struct { | ||
reader io.ReadCloser | ||
callback CloseCallbackFunc | ||
counter int64 | ||
} | ||
|
||
func (r *countBytesReader) Read(p []byte) (int, error) { | ||
n, err := r.reader.Read(p) | ||
r.counter += int64(n) | ||
return n, err | ||
} | ||
|
||
func (r *countBytesReader) Close() error { | ||
r.callback(r.counter) | ||
return r.reader.Close() | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,38 @@ | ||
package httpclient | ||
|
||
import ( | ||
"fmt" | ||
"io" | ||
"strings" | ||
"testing" | ||
|
||
"github.com/stretchr/testify/require" | ||
) | ||
|
||
func TestCountBytesReader(t *testing.T) { | ||
tcs := []struct { | ||
body string | ||
expectedBytesCount int64 | ||
}{ | ||
{body: "d", expectedBytesCount: 1}, | ||
{body: "dummy", expectedBytesCount: 5}, | ||
} | ||
|
||
for index, tc := range tcs { | ||
t.Run(fmt.Sprintf("Test CountBytesReader %d", index), func(t *testing.T) { | ||
body := io.NopCloser(strings.NewReader(tc.body)) | ||
var actualBytesRead int64 | ||
|
||
readCloser := CountBytesReader(body, func(bytesRead int64) { | ||
actualBytesRead = bytesRead | ||
}) | ||
|
||
bodyBytes, err := io.ReadAll(readCloser) | ||
require.NoError(t, err) | ||
err = readCloser.Close() | ||
require.NoError(t, err) | ||
require.Equal(t, tc.expectedBytesCount, actualBytesRead) | ||
require.Equal(t, string(bodyBytes), tc.body) | ||
}) | ||
} | ||
} |