Lua+OpenResty+nginx,java 菜鸟教程集合
yum install yum-utils
yum-config-manager --add-repo https://openresty.org/package/centos/openresty.repo
2.执行安装
yum install openresty
3.安装成功后 会在默认的目录如下:
/usr/local/openresty
[](
)安装 nginx
默认已经安装好了 nginx,在目录:/usr/local/openresty/nginx 下。
修改/usr/local/openresty/nginx/conf/nginx.conf,将配置文件使用的根设置为 root,目的就是将来要使用 lua 脚本的时候 ,直接可以加载在 root 下的 lua 脚本。
cd /usr/local/openresty/nginx/conf
vi nginx.conf
修改代码如下:
测试访问:
重启下 centos 虚拟机,然后访问测试 Nginx
[](
)二、广告缓存的载入与读取
[](
)需求分析
需要在页面上显示广告的信息。
[](
)解决方法 Lua+Nginx 配置
(1)实现思路-查询数据放入 redis 中
实现思路:
定义请求:用于查询数据库中的数据更新到 redis 中。
a.连接 mysql ,按照广告分类 ID 读取广告列表,转换为 json 字符串。
b.连接 redis,将广告列表 json 字符串存入 redis 。
定义请求:
请求:
/update_content
参数:
id --指定广告分类的 id
返回值:
json
请求地址:[http://192.168.xxx.xxx/update_content?id=1](
)
创建/root/lua 目录,在该目录下创建 update_content.lua: 目的就是连接 mysql 查询数据 并存储到 redis 中。
ngx.header.content_type="application/json;charset=utf8"
local cjson = require("cjson")
local mysql = require("resty.mysql")
local uri_args = ngx.req.get_uri_args()
local id = uri_args["id"]
?
local db = mysql:new()
db:set_timeout(1000)
local props = {
host = "192.168.xxx.xxx",
port = 3306,
database = "changgou_content",
user = "root",
password = "123456"
}
?
local res = db:connect(props)
local select_sql = "select url,pic from tb_content where status ='1' and category_id="..id.." order by sort_order"
res = db:query(select_sql)
db:close()
?
local redis = require("resty.redis")
local red = redis:new()
red:set_timeout(2000)
?
local ip ="192.168.xxx.xxx"
local port = 6379
red:connect(ip,port)
red:set("content_"..id,cjson.encode(res))
red:close()
?
ngx.say("{flag:true}")
修改/usr/local/openresty/nginx/conf/nginx.conf 文件: 添加头信息,和 location 信息
server {
listen 80;
server_name localhost;
?
location /update_content {
content_by_lua_file /root/lua/update_content.lua;
}
}
定义 lua 缓存命名空间,修改 nginx.conf,添加如下代码即可:
lua_shared_dict dis_cache 128m;
请求[http://192.168.xxx.xxx/update_content?id=1](
)可以实现缓存的添加
(2)实现思路-从 redis 中获取数据
实现思路:
定义请求,用户根据广告分类的 ID 获取广告的列表。通过 lua 脚本直接从 redis 中获取数据即可。
定义请求:
请求:/read_content
参数:id
返回值:json
在/root/lua 目录下创建 read_content.lua:
--设置响应头类型
ngx.header.content_type="application/json;charset=utf8"
--获取请求中的参数 ID
local uri_args = ngx.req.get_uri_args();
local id = uri_args["id"];
评论