You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
go-zero/core/syncx/pool.go

109 lines
1.8 KiB
Go

4 years ago
package syncx
import (
"sync"
"time"
"github.com/zeromicro/go-zero/core/timex"
4 years ago
)
type (
// PoolOption defines the method to customize a Pool.
4 years ago
PoolOption func(*Pool)
node struct {
item any
4 years ago
next *node
lastUsed time.Duration
}
// A Pool is used to pool resources.
// The difference between sync.Pool is that:
// 1. the limit of the resources
// 2. max age of the resources can be set
// 3. the method to destroy resources can be customized
4 years ago
Pool struct {
limit int
created int
maxAge time.Duration
lock sync.Locker
cond *sync.Cond
head *node
create func() any
destroy func(any)
4 years ago
}
)
// NewPool returns a Pool.
func NewPool(n int, create func() any, destroy func(any), opts ...PoolOption) *Pool {
4 years ago
if n <= 0 {
panic("pool size can't be negative or zero")
}
lock := new(sync.Mutex)
pool := &Pool{
limit: n,
lock: lock,
cond: sync.NewCond(lock),
create: create,
destroy: destroy,
}
for _, opt := range opts {
opt(pool)
}
return pool
}
// Get gets a resource.
func (p *Pool) Get() any {
4 years ago
p.lock.Lock()
defer p.lock.Unlock()
for {
if p.head != nil {
head := p.head
p.head = head.next
if p.maxAge > 0 && head.lastUsed+p.maxAge < timex.Now() {
p.created--
p.destroy(head.item)
continue
} else {
return head.item
}
}
if p.created < p.limit {
p.created++
return p.create()
}
p.cond.Wait()
}
}
// Put puts a resource back.
func (p *Pool) Put(x any) {
4 years ago
if x == nil {
return
}
p.lock.Lock()
defer p.lock.Unlock()
p.head = &node{
item: x,
next: p.head,
lastUsed: timex.Now(),
}
p.cond.Signal()
}
// WithMaxAge returns a function to customize a Pool with given max age.
4 years ago
func WithMaxAge(duration time.Duration) PoolOption {
return func(pool *Pool) {
pool.maxAge = duration
}
}