正则表达式 – nginx匹配位置中的特定单词

前端之家收集整理的这篇文章主要介绍了正则表达式 – nginx匹配位置中的特定单词前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。

我在Nginx $request_body变量中匹配特定单词时遇到问题.
如果正文请求中有特殊字,我想代理传递,

所以我的方法是这样的:

  1. location ~ \.PHP${
  2. if ($request_body ~* (.*)) {
  3. proxy_pass http://test.proxy;
  4. break;
  5. }
  6. # other case...
  7. }

这匹配所有内容,if语句有效,
但如果我以任何方式更改正则表达式,我都无法获得成功.

所以现在我的问题是:

我如何正确定义Nginx中的正则表达式以匹配,例如“目标”?

提前致谢!

最佳答案
您的代码有很多问题.

>“($request_body~ *(.*))”永远不会匹配其他人所说的任何内容,因此“其他案例”始终是结果
>更重要的是,它使用“proxy_pass”和“if”这是典型的邪恶. http://wiki.nginx.org/IfIsEvil.

要获得您想要的,请使用第三方ngx_lua模块(v0.3.1rc24及更高版本)…

  1. location ~ \.PHP${
  2. rewrite_by_lua '
  3. ngx.req.read_body()
  4. local match = ngx.re.match(ngx.var.request_body,"target")
  5. if match then
  6. ngx.exec("@proxy");
  7. else
  8. ngx.exec("@other_case");
  9. end
  10. ';
  11. }
  12. location @proxy {
  13. # test.proxy stuff
  14. ...
  15. }
  16. location @other_case {
  17. # other_case stuff
  18. ...
  19. }

你可以在https://github.com/chaoslawful/lua-nginx-module/tags获得ngx_lua.

PS.请记住,lua的重写总是在Nginx重写指令之后执行,所以如果你在其他情况下放置任何这样的指令,它们将首先被执行,你将获得有趣的东西.

您应该将所有重写放在lua上下文的重写中,以获得一致的结果.这就是“其他案例”的“if..else..end”安排的原因.

您可能需要这个更长的版本

  1. location ~ \.PHP${
  2. rewrite_by_lua '
  3. --request body only available for POST requests
  4. if ngx.var.request_method == "POST"
  5. -- Try to read in request body
  6. ngx.req.read_body()
  7. -- Try to load request body data to a variable
  8. local req_body = ngx.req.get_body_data()
  9. if not req_body then
  10. -- If empty,try to get buffered file name
  11. local req_body_file_name = ngx.req.get_body_file()
  12. --[[If the file had been buffered,open it,read contents to our variable and close]]
  13. if req_body_file_name then
  14. file = io.open(req_body_file_name)
  15. req_body = file:read("*a")
  16. file:close()
  17. end
  18. end
  19. -- If we got request body data,test for our text
  20. if req_body then
  21. local match = ngx.re.match(req_body,"target")
  22. if match then
  23. -- If we got a match,redirect to @proxy
  24. ngx.exec("@proxy")
  25. else
  26. -- If no match,redirect to @other_case
  27. ngx.exec("@other_case")
  28. end
  29. end
  30. else
  31. -- Pass non "POST" requests to @other_case
  32. ngx.exec("@other_case")
  33. end
  34. ';
  35. }

猜你在找的Nginx相关文章