2 回答

TA貢獻(xiàn)1744條經(jīng)驗(yàn) 獲得超4個(gè)贊
是的,Redlock 算法確實(shí)是為分布式 Redis 系統(tǒng)設(shè)計(jì)的,如果您使用單個(gè)實(shí)例,那么使用 SET 和 SETNX 文檔中描述的更簡(jiǎn)單的鎖定方法應(yīng)該沒問題。
然而,更重要的一點(diǎn)是:您可能不需要使用鎖來避免多個(gè) Redis 客戶端之間的沖突。Redis 鎖通常用于保護(hù)某些外部分布式資源(有關(guān)此問題的更多信息,請(qǐng)參閱我的回答)。Redis 本身通常不需要鎖;由于 Redis 的單線程特性,許多命令已經(jīng)是原子的,您可以使用事務(wù)或 Lua 腳本來組成任意復(fù)雜的原子操作。
因此,我的建議是設(shè)計(jì)您的客戶端代碼以使用原子性來避免沖突,而不是嘗試使用鎖(分布式鎖或其他鎖)。

TA貢獻(xiàn)1827條經(jīng)驗(yàn) 獲得超8個(gè)贊
實(shí)現(xiàn) (Go) 如下所示:
// import "github.com/gomodule/redigo/redis"
type redisService struct {
? ? pool? ? ? *redis.Pool
? ? lastLogin *redis.Script // Lua script initialized into this field
}
// Constructing a redis client
func NewRedisService(config *config.RedisClientConfig) RedisService {
? ? return &redisService{
? ? ? ? pool: &redis.Pool{
? ? ? ? ? ? MaxIdle:? ? ?10,
? ? ? ? ? ? IdleTimeout: 120 * time.Second,
? ? ? ? ? ? Dial: func() (redis.Conn, error) {
? ? ? ? ? ? ? ? return redis.Dial("tcp", config.BaseURL)
? ? ? ? ? ? },
? ? ? ? ? ? TestOnBorrow: func(c redis.Conn, t time.Time) error {
? ? ? ? ? ? ? ? if time.Since(t) < time.Minute {
? ? ? ? ? ? ? ? ? ? return nil
? ? ? ? ? ? ? ? }
? ? ? ? ? ? ? ? _, err := c.Do("PING")
? ? ? ? ? ? ? ? return err
? ? ? ? ? ? },
? ? ? ? },
? ? ? ? // initialize Lua script object
? ? ? ? // lastLoginLuaScript is a Go const with the script literal
? ? ? ? lastLogin: redis.NewScript(1, lastLoginLuaScript),
? ? }
}
Lua腳本(注釋解釋了它的作用):
--[[
? ? Check if key exists, if it exists, update the value without changing the remaining TTL.
? ? If it doesn't exist, create it.
? ? Script params
? ? KEYS[1] = the account id used as key
? ? ARGV[1] = the key TTL in seconds
? ? ARGV[2] = the value
]]--
local errorKeyExpired = 'KEXP'
local statusKeyUpdated = 'KUPD'
local statusKeyCreated = 'KCRE'
if redis.call('exists', KEYS[1]) == 1 then
? ? local ttl = redis.call('ttl', KEYS[1])
? ? if ttl < 0 then --[[ no expiry ]]--
? ? ? ? redis.call('setex', KEYS[1], ARGV[1], ARGV[2])
? ? ? ? return redis.status_reply(statusKeyCreated)
? ? end
? ? if ttl == 0 then --[[ expired ]]--
? ? ? ? return redis.error_reply(errorKeyExpired)
? ? end
? ? redis.call('setex', KEYS[1], ttl, ARGV[2])
? ? return redis.status_reply(statusKeyUpdated)
else
? ? redis.call('setex', KEYS[1], ARGV[1], ARGV[2])
? ? return redis.status_reply(statusKeyCreated)
end
用法:
func (rs *redisService) UpsertLastLoginTime(key string, ttl uint, value int64) (bool, error) {
? ? conn := rs.pool.Get()
? ? defer conn.Close()
? ? // call Do on the script object
? ? resp, err := rs.lastLogin.Do(conn, key, ttl, value)
? ? switch resp {
? ? case statusKeyCreated:
? ? ? ? return true, nil
? ? case statusKeyUpdated:
? ? ? ? return false, nil
? ? case errorKeyExpired:
? ? ? ? return false, ErrKeyExpired
? ? default:
? ? ? ? return false, errors.Wrap(err, "script execution error")
? ? }
}
- 2 回答
- 0 關(guān)注
- 241 瀏覽
添加回答
舉報(bào)