4

我正在使用 scripto 在 node.js 中编写一个脚本,并且我正在尝试对数据库中的一个值进行 nil 检查:这是 js 代码(用于节点)-

var redis = require("redis");
var redisClient = redis.createClient("6379","localhost");
var Scripto = require('redis-scripto');
var scriptManager = new Scripto(redisClient);

var scripts = {
    'test':'local function test(i) '+
    'if (i==nil) then return i end '+
    'local ch = redis.call("get", i) '+
    'if (ch==nil) then return ("ch is nil") '+
    'else return "1" '+
    'end end '+
    'return (test(KEYS[1]))',
};

scriptManager.load(scripts);
scriptManager.run('test', ["someInvalidKey"], [], function(err,result){
    console.log(err || result);
});

但我无法在 if 语句中进入“ch is nil” ……有什么帮助吗??

4

1 回答 1

21

Lua 片段:

redis.call("get", i)

Redis 的GET方法从不返回 nil,但如果不存在键,它会返回一个布尔值 (false)。

将您的代码更改为:

local function test(i)
  if (i==nil) then 
    return 'isnil ' .. i 
  end
  local ch = redis.call("get", i)
  if (ch==nil or (type(ch) == "boolean" and not ch)) then 
    return ("ch is nil or false")
  else 
    return "isthere '" .. ch .. "'"
  end
end
return (test(KEYS[1]))

甚至更简单(允许不同类型之间的 Lua 相等性检查,总是返回 false):

local function test(i)
  if (i==nil) then 
    return 'isnil ' .. i 
  end
  local ch = redis.call("get", i)
  if (ch==false) then 
    return ("ch is false")
  else 
    return "isthere '" .. ch .. "'"
  end
end
return (test(KEYS[1]))

如果你多玩一点,你会发现你可以得到它比这更简单,但你会明白这一点。

希望这会有所帮助,TW

于 2014-01-26T16:18:44.257 回答