5

我目前正在开发一个缓存,需要为每个调用增加几百个计数器,如下所示:

redis.pipelined do
  keys.each{ |key| redis.incr key }
end

现在在我的分析中,我看到我不需要的回复仍然由 redis gem 收集,浪费了一些宝贵的时间。我可以以某种方式告诉redis我对回复不感兴趣吗?有没有更好的方法来增加很多值。

例如,我没有找到MINCR命令..

提前致谢!

4

3 回答 3

5

是的……至少在 2.6 中。您可以在 LUA 脚本中执行此操作,并且只需让 LUA 脚本返回一个空结果。这里使用的是 bookleeve 客户端:

const int DB = 0; // any database number
// prime some initial values
conn.Keys.Remove(DB, new[] {"a", "b", "c"});
conn.Strings.Increment(DB, "b");
conn.Strings.Increment(DB, "c");
conn.Strings.Increment(DB, "c");

// run the script, passing "a", "b", "c", "c" to
// increment a & b by 1, c twice
var result = conn.Scripting.Eval(DB,
    @"for i,key in ipairs(KEYS) do redis.call('incr', key) end",
    new[] { "a", "b", "c", "c"}, // <== aka "KEYS" in the script
    null); // <== aka "ARGV" in the script

// check the incremented values
var a = conn.Strings.GetInt64(DB, "a");
var b = conn.Strings.GetInt64(DB, "b");
var c = conn.Strings.GetInt64(DB, "c");

Assert.IsNull(conn.Wait(result), "result");
Assert.AreEqual(1, conn.Wait(a), "a");
Assert.AreEqual(2, conn.Wait(b), "b");
Assert.AreEqual(4, conn.Wait(c), "c");

或者用 做同样的事情incrby,将“by”数字作为参数传递,将中间部分更改为:

// run the script, passing "a", "b", "c" and 1, 1, 2
// increment a & b by 1, c twice
var result = conn.Scripting.Eval(DB,
    @"for i,key in ipairs(KEYS) do redis.call('incrby', key, ARGV[i]) end",
    new[] { "a", "b", "c" }, // <== aka "KEYS" in the script
    new object[] { 1, 1, 2 }); // <== aka "ARGV" in the script
于 2012-10-23T11:51:06.307 回答
2

不,这是不可能的。没有办法告诉 Redis 不回复。

避免在某些时候同步等待回复的唯一方法是运行完全异步的客户端(如 node.js 或异步模式下的hiredis)。

于 2012-10-23T07:40:29.780 回答
1

Redis 3.2 版明确支持这一点:

https://redis.io/commands/client-reply

CLIENT REPLY 命令控制服务器是否会回复客户端的命令。可以使用以下模式: ON。这是服务器对每个命令都返回回复的默认模式。离开。在这种模式下,服务器不会回复客户端命令。跳过。此模式会跳过命令的回复。

返回值 当使用 OFF 或 SKIP 子命令调用时,不做出响应。使用 ON 调用时:简单字符串回复:OK。

于 2018-01-12T13:37:44.403 回答