1

我需要使用 Redis Lua 脚本调用 Redis HMSET。这是一个咖啡脚本:

redis = require("redis")
client = redis.createClient();

lua_script = "\n
-- here is the problem\n
local res = redis.call('hmset', KEYS[1],ARGV[1])\n
print (res)\n
-- create secondary indexes\n
--\n
--\n
return 'Success'\n
"

client.on 'ready', () ->
  console.log 'Redis is ready'
  client.flushall()
  client.send_command("script", ["flush"])

  args = new Array(3)

  args[0] = '1111-1114'
  args[1] = 'id'
  args[2] = '111'
  callback = null
  #client.send_command("hmset", args, callback) # this works

  client.eval lua_script, 1, args, (err, res) ->
    console.log 'Result: ' + res

在 LUA 脚本中调用 HMSET 的正确语法/模式是什么?顺便说一句 - 我知道 redis.HMSET 命令。

4

1 回答 1

1

首先,您确定您eval在 CoffeeScript Redis 库中使用正确吗?您显然传递了三个参数:脚本、键数和数组。我怀疑这不是它的工作方式。如果这是 node_redis,则数组中必须包含所有内容或没有任何内容,因此请尝试:

args = new Array(5)

args[0] = lua_script
args[1] = 1
args[2] = '1111-1114'
args[3] = 'id'
args[4] = '111'
callback = null

client.eval args, (err, res) ->
  console.log 'Result: ' + res

(可能有更好的语法,但我不知道 CoffeeScript。)

其次,在此示例中,您尝试 HMSET 单个字段/值对:

HMSET lua_script 1111-1114 id 111

实际上你可以在这里用 HSET 替换 HMSET,但让我们先让它工作。

在这一行:

local res = redis.call('hmset', KEYS[1], ARGV[1])

您只使用两个参数调用 HMSET,即包含哈希的键和字段。您需要添加作为第二个参数的值:

local res = redis.call('hmset', KEYS[1], ARGV[1], ARGV[2])

这将使您的示例工作,但是如果您想像这样实际设置多个字段(这是 MHSET 的目标)怎么办?

HMSET lua_script 1111-1114 id 111 id2 222

在 CoffeeScript 中你会写:

args = new Array(7)

args[0] = lua_script
args[1] = 1
args[2] = '1111-1114'
args[3] = 'id'
args[4] = '111'
args[5] = 'id2'
args[6] = '222'
callback = null

client.eval args, (err, res) ->
  console.log 'Result: ' + res

...但是现在您在 Lua中有四个ARGV要传递的元素。redis.call实际上,您必须传递的所有元素,这在 LuaARGV中称为unpack() :

local res = redis.call('hmset', KEYS[1], unpack(ARGV))

using的唯一问题unpack()是,如果您在(数千个)中有很多元素,它可能会中断,因为它会溢出堆栈,在这种情况下,您应该在 Lua 脚本中使用循环来调用切片上的 HMSET ,但是您现在应该不用担心这个了……ARGVARGV

于 2013-08-26T15:48:30.437 回答