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

68 lines
1.4 KiB

2 years ago
package golock
import (
"context"
"errors"
2 years ago
"go.dtapp.net/dorm"
2 years ago
"time"
)
type LockRedis struct {
2 years ago
client *dorm.RedisClient // 驱动
2 years ago
}
2 years ago
func NewLockRedis(client *dorm.RedisClient) *LockRedis {
return &LockRedis{client: client}
2 years ago
}
// Lock 上锁
// key 锁名
// val 锁内容
// ttl 锁过期时间
func (r *LockRedis) Lock(key string, val string, ttl int64) (string, error) {
if ttl <= 0 {
return "", errors.New("长期请使用 LockForever 方法")
}
2 years ago
// 获取
get, err := r.client.Get(context.Background(), key).Result()
2 years ago
if err != nil {
return "", errors.New("获取异常")
}
if get != "" {
return "", errors.New("上锁失败,已存在")
}
2 years ago
// 设置
err = r.client.Set(context.Background(), key, val, time.Duration(ttl)).Err()
2 years ago
if err != nil {
return "", errors.New("上锁失败")
}
return val, nil
}
// Unlock 解锁
// key 锁名
func (r *LockRedis) Unlock(key string) error {
2 years ago
_, err := r.client.Del(context.Background(), key).Result()
2 years ago
return err
}
// LockForever 永远上锁
// key 锁名
// val 锁内容
func (r *LockRedis) LockForever(key string, val string) (string, error) {
2 years ago
// 获取
get, err := r.client.Get(context.Background(), key).Result()
2 years ago
if err != nil {
return "", errors.New("获取异常")
}
if get != "" {
return "", errors.New("上锁失败,已存在")
}
2 years ago
// 设置
err = r.client.Set(context.Background(), key, val, 0).Err()
2 years ago
if err != nil {
return "", errors.New("上锁失败")
}
return val, nil
}