一 、 location: 顾名思义-->地址,也叫路由。
nginx服务器非常核心的配置,一般nginx运维人员在修改nginx配置时,大部分也是围绕着location这个配置进行修改。
下面看一下一个简单的location配置:
location / {
root home/;
index index.html;
}
这个配置表示任何一个路径访问nginx服务器,都跳转到home目录下的index.html页面中。
下面来详细说一下location 路径匹配规则,location匹配分为3种匹配方式 。
1、绝对匹配,完全相等 “=” 号 ,比如:
##当访问地址端口后面的地址等于/login/demo.html时,就会直接走这个location地址。
location = /login/demo.html {
*******
}
2、正则匹配 ~ 或者 ~* 。前一个区分大小写,后一个不区分大小写
location ^~ /images/ {
# 匹配任何已/images/开头的任何查询并且停止搜索。任何正则表达式将不会被测试。
}
location ~* .(gif|jpg|jpeg)$ {
# 匹配任何已.gif、.jpg 或 .jpeg 结尾的请求
}
3、一般匹配 无符号 ,无符号匹配就算匹配中,也不会break,还会继续向下匹配下去,如果发现正则或者完全匹配的情况,则直接使用。
总结一下:
= 严格匹配。如果这个查询匹配,那么将停止搜索并立即处理此请求。
~ 为区分大小写匹配(可用正则表达式)
!~为区分大小写不匹配
~* 为不区分大小写匹配(可用正则表达式)
!~*为不区分大小写不匹配
^~ 如果把这个前缀用于一个常规字符串,那么告诉nginx 如果路径匹配那么不测试正则表达式。
二、proxy_pass 反向代理
1:当我们遇到跨域问题,而且客户端无法支持 CORS 时,最好的办法就是让服务器来做代理。在前端页面所在的服务器 nginx 配置上开一个路由,然后使用 proxy 去请求另一个域名下的资源。
2:前后台分离后,前端独立开发后也可以通过proxy_pass来反向代理到后台服务,或者服务器部署地址不方便暴露也可以用proxy做反向代理。
简单到例子:
location /login {
proxy_pass http://www.sohu.com/
}
当我们访问 http://192.168.0.101:8080/login就会直接跳转到搜狐首页。说明当前访问地址为搜狐网的代理地址。
需要特别注意的是:proxy后面的地址有没有斜杠:
如果我们访问到地址是:http://192.168.0.101:8080/login/index.html
有斜杠:绝对地址,最终跳转到:http://www.sohu.com/index.html
没有斜杠:相对地址,最终跳转到:http://www.sohu.com/login/index.html
三、rewrite重新路由,rewrite有5中命令模式
rewrite 的作用是修改 uri,但要注意 rewrite 要有个重新匹配 location 的副作用。由于 proxy_pass 的处理阶段比 location 处理更晚,所以需要 break 掉,以防止 rewrite 进入下一次 location 匹配而丢失 proxy_pass。
1、break; 如下:
#这个指令表示,如果/login匹配成功,则直接在home路径中查找demo.html文件
#然后跳转到demo.html。注意这是内部跳转,浏览器上的地址url不会变,还是以/login结尾。
location /login {
rewrite ^/ /demo.html break;
root home/;
}
2、redirect ; 如下
#和break差不多,不过这个表示外部跳转,也会跳转到demo.html页面,不过浏览器地址会自动变成demo.html
location /login {
rewrite ^/ /demo.html redirect;
root home/;
}
3、permanent ; 和redirect作用类似。
4、last; 如果是last修饰的话,nginx会将/demo.html地址和其他location的地址进行匹配,然后找到匹配的地址,继续执行下去。这里他会执行到 /demo.html 的location中,然后内部跳转到/demo.html页面,如下:
location /login {
rewrite ^/ /demo.html last;
root home/;
}
location /demo.html {
rewrite ^/ /demo.html break;
root home/;
}
5、没有修饰,就是无任何修饰。可以看到这个rewrite后面没有任何修饰。当没有任何修饰的情况下,匹配中location后,不会停止,会继续想下面的location继续匹配下去。知道匹配到最后一个,使用最后一个匹配到的。。如下
location /login {
rewrite ^/ /demo.html ;
root home/;
}
四、upstream , 负载配置
upstream 用以配置负载的策略,nginx自带的有:轮询/权重/ip_hash。特殊需求可用第三方策略(使用较少)。
upstream test{
server 192.168.0.101:8081;
server 192.168.0.102:8081;
}
upstream test1 {
server 192.168.0.101:8081 weight=2;
server 192.168.0.102:8081 weight=1;
}
upstream test2 {
ip_hash
server 192.168.0.101:8081;
server 192.168.0.102:8081;
}
server{
listen 80;
server_name localhost;
location /login {
proxy_pass http://test/
}
}
当访问:http://localhost/login
时,nginx
就会在server 192.168.0.101:8081; server 192.168.0.102:8081
这两个服务之间轮询访问。
upstream test1
表示上面的服务访问2次,下面的服务访问1次
upstream test2
表示更具客户端ip地址的hash值来进行区分访问那个服务,这种设置后,同一个客户端访问的服务一般是不会变的。
参考:
https://blog.csdn.net/zhanglei082319/article/details/88830606
https://www.cnblogs.com/lianxuan1768/p/8383804.html
原文地址:https://www.cnblogs.com/both-eyes/p/12183276.html