2016-12-09 10:35:27 +00:00
|
|
|
package buf
|
2016-04-12 14:52:57 +00:00
|
|
|
|
|
|
|
import (
|
|
|
|
"sync"
|
|
|
|
)
|
|
|
|
|
2016-12-06 16:26:51 +00:00
|
|
|
// Pool provides functionality to generate and recycle buffers on demand.
|
2016-07-28 14:24:15 +00:00
|
|
|
type Pool interface {
|
2016-12-06 16:36:28 +00:00
|
|
|
// Allocate either returns a unused buffer from the pool, or generates a new one from system.
|
2016-07-28 14:24:15 +00:00
|
|
|
Allocate() *Buffer
|
2016-12-06 16:36:28 +00:00
|
|
|
// Free recycles the given buffer.
|
2016-07-28 14:24:15 +00:00
|
|
|
Free(*Buffer)
|
|
|
|
}
|
|
|
|
|
2016-12-06 16:36:28 +00:00
|
|
|
// SyncPool is a buffer pool based on sync.Pool
|
2016-11-21 21:08:34 +00:00
|
|
|
type SyncPool struct {
|
|
|
|
allocator *sync.Pool
|
|
|
|
}
|
|
|
|
|
2016-12-06 16:36:28 +00:00
|
|
|
// NewSyncPool creates a SyncPool with given buffer size.
|
2016-11-21 21:08:34 +00:00
|
|
|
func NewSyncPool(bufferSize uint32) *SyncPool {
|
|
|
|
pool := &SyncPool{
|
|
|
|
allocator: &sync.Pool{
|
|
|
|
New: func() interface{} { return make([]byte, bufferSize) },
|
|
|
|
},
|
|
|
|
}
|
|
|
|
return pool
|
|
|
|
}
|
|
|
|
|
2016-12-06 16:36:28 +00:00
|
|
|
// Allocate implements Pool.Allocate().
|
2016-11-21 21:08:34 +00:00
|
|
|
func (p *SyncPool) Allocate() *Buffer {
|
2016-12-11 08:43:20 +00:00
|
|
|
return &Buffer{
|
|
|
|
v: p.allocator.Get().([]byte),
|
|
|
|
pool: p,
|
|
|
|
}
|
2016-11-21 21:08:34 +00:00
|
|
|
}
|
|
|
|
|
2016-12-06 16:36:28 +00:00
|
|
|
// Free implements Pool.Free().
|
2016-11-21 21:08:34 +00:00
|
|
|
func (p *SyncPool) Free(buffer *Buffer) {
|
2017-05-16 14:47:07 +00:00
|
|
|
if buffer.v != nil {
|
|
|
|
p.allocator.Put(buffer.v)
|
2016-11-21 21:08:34 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2016-05-11 17:54:20 +00:00
|
|
|
const (
|
2016-12-11 08:43:20 +00:00
|
|
|
// Size of a regular buffer.
|
2017-04-15 19:19:21 +00:00
|
|
|
Size = 2 * 1024
|
2016-05-11 17:54:20 +00:00
|
|
|
)
|
|
|
|
|
2016-08-25 09:21:32 +00:00
|
|
|
var (
|
2017-10-22 13:01:36 +00:00
|
|
|
mediumPool Pool = NewSyncPool(Size)
|
2016-08-25 09:21:32 +00:00
|
|
|
)
|