123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172 |
- package redis
- import (
- "github.com/gomodule/redigo/redis"
- "github.com/spf13/viper"
- "strings"
- "time"
- )
- // redigo适配器
- type RedigoAdapter struct {
- pool *redis.Pool
- }
- // 返回redigo适配器新实例
- func NewRedigoAdapter(addr string) (IRedisAdapter, error) {
- opts := []redis.DialOption{redis.DialConnectTimeout(5 * time.Second)}
- password := viper.GetString("redis.password")
- if len(strings.TrimSpace(password)) > 0 {
- opts = append(opts, redis.DialPassword(strings.TrimSpace(password)))
- }
- pool, err := createPool(addr, opts...)
- if nil != err {
- return nil, err
- }
- return &RedigoAdapter{
- pool: pool,
- }, nil
- }
- // 创建redis连接池
- func createPool(addr string, opts ...redis.DialOption) (*redis.Pool, error) {
- maxIdle := viper.GetInt("redis.max_idle")
- maxActive := viper.GetInt("redis.max_active")
- idleTimeout := viper.GetDuration("redis.timeout")
- return &redis.Pool{
- MaxIdle: maxIdle,
- MaxActive: maxActive,
- IdleTimeout: idleTimeout,
- Dial: func() (redis.Conn, error) {
- if conn, err := redis.Dial("tcp", addr, opts...); nil != err {
- return nil, err
- } else {
- return conn, nil
- }
- },
- TestOnBorrow: func(c redis.Conn, t time.Time) error {
- _, err := c.Do("PING")
- return err
- },
- }, nil
- }
- // 关闭Redis连接
- func (a *RedigoAdapter) Close() error {
- return a.pool.Close()
- }
- // 执行Redis命令
- func (a *RedigoAdapter) Do(commandName string, args ...interface{}) (interface{}, error) {
- conn := a.pool.Get()
- defer func(conn redis.Conn) {
- _ = conn.Close()
- }(conn)
- if nil == conn {
- return nil, ErrRedisConnNil
- } else {
- return conn.Do(commandName, args...)
- }
- }
|