Мне нужно передать переменную Nginx в мой бэкэнд PHP 7.0, используя отличную библиотеку https://github.com/openresty/lua-nginx-module
Я предпочитаю использовать content_by_lua_block
вместо set_by_lua_block
, потому что документация для функции ‘set’ гласит: «Эта директива предназначена для выполнения коротких, быстро выполняющихся блоков кода, поскольку цикл событий Nginx блокируется во время выполнения кода. Поэтому следует избегать трудоемких последовательностей кода.».
https://github.com/openresty/lua-nginx-module#set_by_lua
Однако, поскольку функция «content _…» неблокирующая, следующий код не возвращается во времени, и $ hello сбрасывается при передаче в PHP:
location ~ \.php{
set $hello '';
content_by_lua_block {
ngx.var.hello = "hello there.";
}
fastcgi_param HELLO $hello;
include fastcgi_params;
...
fastcgi_pass unix:/run/php/php7.0-fpm.sock;
}
Проблема в том, что мой Lua-код потенциально может быть «трудоемким кодом», если используются определенные пути кода, например, с использованием криптографии.
Следующее расположение Nginx работает просто отлично, но это потому, что set_by_lua_block () является вызовом функции блокировки:
location ~ \.php {
set $hello '';
set_by_lua_block $hello {
return "hello there.";
}
fastcgi_param HELLO $hello;
include fastcgi_params;
...
fastcgi_pass unix:/run/php/php7.0-fpm.sock;
}
У меня вопрос, каков наилучший подход здесь? Есть ли способ вызвать директиву Nginx? fastcgi_pass
и связанные директивы внутри content_by_lua_block () только после того, как мои переменные были установлены?
Да, это возможно с ngx.location.capture
, Напишите отдельный блок местоположения, например:
location /lua-subrequest-fastcgi {
internal; # this location block can only be seen by Nginx subrequests
# Need to transform the %2F back into '/'. Do this with set_unescape_uri()
# Nginx appends '$arg_' to arguments passed to another location block.
set_unescape_uri $r_uri $arg_r_uri;
set_unescape_uri $r_hello $arg_hello;
fastcgi_param HELLO $r_hello;
try_files $r_uri =404;
fastcgi_split_path_info ^(.+\.php)(/.+)$;
include fastcgi_params;
fastcgi_param SCRIPT_FILENAME $document_root$fastcgi_script_name;
fastcgi_param SCRIPT_NAME $fastcgi_script_name;
fastcgi_index index.php;
fastcgi_pass unix:/run/php/php7.0-fpm.sock;
}
Который вы можете затем назвать так:
location ~ \.php {
set $hello '';
content_by_lua_block {
ngx.var.hello = "hello, friend."
-- Send the URI from here (index.php) through the args list to the subrequest location.
-- Pass it from here because the URI in that location will change to "/lua-subrequest-fastcgi"local res = ngx.location.capture ("/lua-subrequest-fastcgi", {args = {hello = ngx.var.hello, r_uri = ngx.var.uri}})
if res.status == ngx.HTTP_OK then
ngx.say(res.body)
else
ngx.say(res.status)
end
}
}
Других решений пока нет …