Categorygithub.com/jolestar/go-commons-pool/v2
modulepackage
2.1.2
Repository: https://github.com/jolestar/go-commons-pool.git
Documentation: pkg.go.dev

# README

Go Commons Pool

Build Status CodeCov Go Report Card GoDoc

The Go Commons Pool is a generic object pool for Golang, direct rewrite from Apache Commons Pool.

Features

  1. Support custom PooledObjectFactory.
  2. Rich pool configuration option, can precise control pooled object lifecycle. See ObjectPoolConfig.
    • Pool LIFO (last in, first out) or FIFO (first in, first out)
    • Pool cap config
    • Pool object validate config
    • Pool object borrow block and max waiting time config
    • Pool object eviction config
    • Pool object abandon config

Pool Configuration Option

Configuration option table, more detail description see ObjectPoolConfig

OptionDefaultDescription
LIFOtrueIf pool is LIFO (last in, first out)
MaxTotal8The cap of pool
MaxIdle8Max "idle" instances in the pool
MinIdle0Min "idle" instances in the pool
TestOnCreatefalseValidate when object is created
TestOnBorrowfalseValidate when object is borrowed
TestOnReturnfalseValidate when object is returned
TestWhileIdlefalseValidate when object is idle, see TimeBetweenEvictionRuns
BlockWhenExhaustedtrueWhether to block when the pool is exhausted
MinEvictableIdleTime30mEviction configuration,see DefaultEvictionPolicy
SoftMinEvictableIdleTimemath.MaxInt64Eviction configuration,see DefaultEvictionPolicy
NumTestsPerEvictionRun3The maximum number of objects to examine during each run evictor goroutine
TimeBetweenEvictionRuns0The number of milliseconds to sleep between runs of the evictor goroutine, less than 1 mean not run

Usage

Use Simple Factory

import (
	"context"
	"fmt"
	"strconv"
	"sync/atomic"

	"github.com/jolestar/go-commons-pool/v2"
)

func Example_simple() {
	type myPoolObject struct {
		s string
	}

	v := uint64(0)
	factory := pool.NewPooledObjectFactorySimple(
		func(context.Context) (interface{}, error) {
			return &myPoolObject{
					s: strconv.FormatUint(atomic.AddUint64(&v, 1), 10),
				},
				nil
		})

	ctx := context.Background()
	p := pool.NewObjectPoolWithDefaultConfig(ctx, factory)

	obj, err := p.BorrowObject(ctx)
	if err != nil {
		panic(err)
	}

	o := obj.(*myPoolObject)
	fmt.Println(o.s)

	err = p.ReturnObject(ctx, obj)
	if err != nil {
		panic(err)
	}

	// Output: 1
}

Use Custom Factory

import (
	"context"
	"fmt"
	"strconv"
	"sync/atomic"

	"github.com/jolestar/go-commons-pool/v2"
)

type MyPoolObject struct {
	s string
}

type MyCustomFactory struct {
	v uint64
}

func (f *MyCustomFactory) MakeObject(ctx context.Context) (*pool.PooledObject, error) {
	return pool.NewPooledObject(
			&MyPoolObject{
				s: strconv.FormatUint(atomic.AddUint64(&f.v, 1), 10),
			}),
		nil
}

func (f *MyCustomFactory) DestroyObject(ctx context.Context, object *pool.PooledObject) error {
	// do destroy
	return nil
}

func (f *MyCustomFactory) ValidateObject(ctx context.Context, object *pool.PooledObject) bool {
	// do validate
	return true
}

func (f *MyCustomFactory) ActivateObject(ctx context.Context, object *pool.PooledObject) error {
	// do activate
	return nil
}

func (f *MyCustomFactory) PassivateObject(ctx context.Context, object *pool.PooledObject) error {
	// do passivate
	return nil
}

func Example_customFactory() {
	ctx := context.Background()
	p := pool.NewObjectPoolWithDefaultConfig(ctx, &MyCustomFactory{})
	p.Config.MaxTotal = 100
    
	obj1, err := p.BorrowObject(ctx)
	if err != nil {
		panic(err)
	}

	o := obj1.(*MyPoolObject)
	fmt.Println(o.s)

	err = p.ReturnObject(ctx, obj1)
	if err != nil {
		panic(err)
	}

	// Output: 1
}

For more examples please see pool_test.go and example_simple_test.go, example_customFactory_test.go.

Note

PooledObjectFactory.MakeObject must return a pointer, not value. The following code will complain error.

p := pool.NewObjectPoolWithDefaultConfig(ctx, pool.NewPooledObjectFactorySimple(
    func(context.Context) (interface{}, error) {
        return "hello", nil
    }))
obj, _ := p.BorrowObject()
p.ReturnObject(obj)

The right way is:

p := pool.NewObjectPoolWithDefaultConfig(ctx, pool.NewPooledObjectFactorySimple(
    func(context.Context) (interface{}, error) {
        s := "hello"
        return &s, nil
    }))

For more examples please see example_simple_test.go.

Dependency

PerformanceTest

The results of running the pool_perf_test is almost equal to the java version PerformanceTest

go test --perf=true

For Apache commons pool user

  • Direct use pool.Config.xxx to change pool config
  • Default config value is same as java version
  • If TimeBetweenEvictionRuns changed after ObjectPool created, should call ObjectPool.StartEvictor to take effect. Java version do this on set method.
  • No KeyedObjectPool (TODO)
  • No ProxiedObjectPool
  • No pool stats (TODO)

FAQ

FAQ

How to contribute

  • Choose one open issue you want to solve, if not create one and describe what you want to change.
  • Fork the repository on GitHub.
  • Write code to solve the issue.
  • Create PR and link to the issue.
  • Make sure test and coverage pass.
  • Wait maintainers to merge.

中文文档

License

Go Commons Pool is available under the Apache License, Version 2.0.

# Packages

# Functions

GetEvictionPolicy return a EvictionPolicy by gaven name.
NewDefaultAbandonedConfig return a new AbandonedConfig instance init with default.
NewDefaultPoolConfig return a ObjectPoolConfig instance init with default value.
NewIllegalStateErr return new IllegalStateErr.
NewNoSuchElementErr return new NoSuchElementErr.
NewObjectPool return new ObjectPool, init with PooledObjectFactory and ObjectPoolConfig.
NewObjectPoolWithAbandonedConfig return new ObjectPool init with PooledObjectFactory, ObjectPoolConfig, and AbandonedConfig.
NewObjectPoolWithDefaultConfig return new ObjectPool init with PooledObjectFactory and default config.
NewPooledObject return new init PooledObject.
NewPooledObjectFactory return a DefaultPooledObjectFactory, init with gaven func.
NewPooledObjectFactorySimple return a DefaultPooledObjectFactory, only custom MakeObject func.
Prefill is util func for pre fill pool object.
RegistryEvictionPolicy registry a custom EvictionPolicy with gaven name.

# Constants

DefaultBlockWhenExhausted is the default value of ObjectPoolConfig.BlockWhenExhausted.
DefaultEvictionPolicyName is the default value of ObjectPoolConfig.EvictionPolicyName.
DefaultLIFO is the default value of ObjectPoolConfig.LIFO.
DefaultMaxIdle is the default value of ObjectPoolConfig.MaxIdle.
DefaultMaxTotal is the default value of ObjectPoolConfig.MaxTotal.
DefaultMinEvictableIdleTime is the default value of ObjectPoolConfig.MinEvictableIdleTime.
DefaultMinIdle is the default value of ObjectPoolConfig.MinIdle.
DefaultNumTestsPerEvictionRun is the default value of ObjectPoolConfig.NumTestsPerEvictionRun.
DefaultSoftMinEvictableIdleTime is the default value of ObjectPoolConfig.SoftMinEvictableIdleTime.
DefaultTestOnBorrow is the default value of ObjectPoolConfig.TestOnBorrow.
DefaultTestOnCreate is the default value of ObjectPoolConfig.TestOnCreate.
DefaultTestOnReturn is the default value of ObjectPoolConfig.TestOnReturn.
DefaultTestWhileIdle is the default value of ObjectPoolConfig.TestWhileIdle.
DefaultTimeBetweenEvictionRuns is the default value of ObjectPoolConfig.TimeBetweenEvictionRuns.
StateAbandoned Deemed abandoned, to be invalidated.
StateAllocated in use.
StateEviction in the queue, currently being tested for possible eviction.
StateEvictionReturnToHead not in the queue, currently being tested for possible eviction.
StateIdle in the queue, not in use.
StateInvalid failed maintenance (e.g.
StateReturning Returning to the pool.

# Structs

AbandonedConfig ObjectPool abandoned strategy config.
DefaultEvictionPolicy is a default EvictionPolicy impl.
DefaultPooledObjectFactory is a default PooledObjectFactory impl, support init by func.
EvictionConfig is config for ObjectPool EvictionPolicy.
IllegalStateErr when use pool in a illegal way, return this err.
NoSuchElementErr when no available object in pool, return this err.
ObjectPool is a generic object pool.
ObjectPoolConfig is ObjectPool config, include cap, block, valid strategy, evict strategy etc.
PooledObject is the wrapper of origin object that is used to track the additional information, such as state, for the pooled objects.

# Interfaces

EvictionPolicy is a interface support custom EvictionPolicy.
PooledObjectFactory is factory interface for ObjectPool.
TrackedUse allows pooled objects to make information available about when and how they were used available to the object pool.

# Type aliases

PooledObjectState is PooledObjectState enum const.