在 lua 上使用 Redis 拉取 table

pulling table with redis on lua

我在 Nginx 上 运行 LUA。我决定通过 Redis 获取一些变量。我在 lua 上使用 table。是这样的;

local ip_blacklist = {
"1.1.1.1",
"1.1.1.2",
}

我在 Nginx 上打印;

1.1.1.1
1.1.1.2

我想将这里的值保留在 Redis 而不是 Lua 上。我的Redis:http://prntscr.com/10sv3ln

我的Lua命令;

local ip = red:hmget("iplist", "ip_blacklist")

我在 Nginx 上打印;

{"1.1.1.1","1.1.1.2",}

它的数据不是 table 并且功能不起作用。我怎样才能像本地 ip_blacklist?

一样调用这些数据

https://redis.io/topics/data-types

Redis Hashes are maps between string fields and string values

您不能将 Lua table 直接存储为哈希值。据我所知,您已经使用 RedisInsight 存储了一个文字字符串 {"1.1.1.1","1.1.1.2",},但它不能那样工作。

可以使用JSON进行序列化:

server {
    location / {
        content_by_lua_block {
            local redis = require('resty.redis')
            local json = require('cjson.safe')    
              
            local red = redis:new()
            red:connect('127.0.0.1', 6379)

            -- set a string with a JSON array as a hash value; you can use RedisInsight for this step
            red:hset('iplist', 'ip_blacklist', '["1.1.1.1", "1.1.1.2"]')
            
            -- read a hash value as a string (a serialized JSON array)
            local ip_blacklist_json = red:hget('iplist', 'ip_blacklist')
            -- decode the JSON array to a Lua table
            local ip_blacklist = json.decode(ip_blacklist_json)
            
            ngx.say(type(ip_blacklist))
            for _, ip in ipairs(ip_blacklist) do
                ngx.say(ip)
            end
        }
    }
}

输出:

table
1.1.1.1
1.1.1.2