如何在 Redis 的 Lua cjson 中检查 nil/null?

How to check for nil/null in Redis' Lua cjson?

我有一个 lua 脚本,代码块如下:

local call_data     = cjson.decode(ARGV[1])
local other_data    = cjson.decode(ARGV[2])
local data          = {}
local next          = next
local populate_data = function(source)
  if next(source) == nil then
    return
  end

  for property,value in pairs(source) do
    redis.call('HSET', KEYS[2], property, value)
  end
end
populate_data(call_data)
populate_data(other_data)

当我尝试 运行 使用以下命令 KEYS 和 ARGV 作为脚本时:-

redis-cli --eval dialed.lua "inflight_stats:18" "calls:AC443d7a8111a96ba8074f54a71f0521ce:CA1ec49703eee1959471c71506f43bb42e:dialed" , "{\"from\":\"+18035224181\",\"to\":\"+919943413333\",\"sid\":\"CA1ec49703eee1959471c71506f43bb42e\",\"status\":\"queued\",\"direction\":\"outbound-api\",\"date_created\":null,\"account_sid\":\"AC443d8a8111a96ba8074f54a71f0521ce\"}" "{\"phone\":\"919943413333\",\"campaign_id\":18,\"caller_session_sid\":\"CA828b163153bf5cc301ef5285e38925f9\"}" 0

错误:-

(error) ERR Error running script (call to f_08dcc69ee8baa0200e0cf552948ab4bc338c9978): @user_script:11: @user_script: 11: Lua redis() command arguments must be strings or integers 

TL;DR 对于 cjson.decode() 返回的值,使用 cjson.null 与 JSON 的 null 值进行比较。

说明:Lua在表格中使用nil来标记已删除的条目。如果 JSONinc nulls 被转换为 Lunatic nils,解码的对象将被破坏。因此,cjson lib使用轻量级的userdata类型来表示null/nil.

您的 'call_data' 有一个 'date_created' 字段为空 - 导致错误。

有趣的是,与 Lua 一样,Redis 不会存储 nil/null 值,因此您必须忽略空值或在 Redis 中使用特殊值来标记它们.

假设您会忽略它们,这里有一种解决方法:

local call_data     = cjson.decode(ARGV[1])
local other_data    = cjson.decode(ARGV[2])
local data          = {}
local next          = next
local null          = cjson.null
local populate_data = function(source)
  if next(source) == nil then
    return
  end

  for property,value in pairs(source) do
    if value ~= null then
      redis.call('HSET', KEYS[2], property, value)
    end
  end
end
populate_data(call_data)
populate_data(other_data)

此外,一个小的优化是批量更新,如下所示:

  local payload = {}
  for property,value in pairs(source) do
    if value ~= null then
      table.insert(payload, property)
      table.insert(payload, value)
    end
  end
  redis.call('HSET', KEYS[2], unpack(payload))

P.S。如果你愿意,请查看我写的 ReJSON - 它旨在帮助你完成你正在尝试做的事情。