目录
前言
Location 是 Nginx 中一个非常核心的配置,这里咱们来重点聊一聊 Location 的配置问题以及一些注意事项
语法
关于 Location,举个简单的配置例子:
http {
server {
listen 80;
server_name www.mytest.com;
location / {
root /home/www/ts/;
index index.html;
}
}
}
大致的意思是,当你访问 www.mytest.com
的 80
端口的时候,返回 /home/www/ts/index.html
文件。
Location 的具体语法共分为5种,如下:
location [ / |= | ~ | ~* | ^~ ] uri { ... }
重点看方括号中的 [ = | ~ | ~* | ^~ ]
,|
是分隔符,其中:
-
/
表示通用匹配 --最常见的语法
-
=
表示精确匹配
-
~
表示区分大小写的正则匹配
-
~*
表示不区分大小写的正则匹配
-
^~
表示 uri 以某个字符串开头
server {
listen 80;
server_name 127.0.0.1;
location /abc {
default_type text/plain;
return 200 "access success";
}
}
使用通用匹配时,以下访问都是正确的
http://192.168.200.133/abc
http://192.168.200.133/abc?p1=TOM
http://192.168.200.133/abc/
http://192.168.200.133/abcdef
erver {
listen 80;
server_name 127.0.0.1;
location =/abc {
default_type text/plain;
return 200 "access success";
}
}
= : 用于不包含正则表达式的uri前,必须与指定的模式精确匹配
可以匹配到
http://192.168.200.133/abc
http://192.168.200.133/abc?p1=TOM
匹配不到
http://192.168.200.133/abc/
http://192.168.200.133/abcdef
server {
listen 80;
server_name 127.0.0.1;
location ~^/abc\w${
default_type text/plain;
return 200 "access success";
}
}
server {
listen 80;
server_name 127.0.0.1;
location ~*^/abc\w${
default_type text/plain;
return 200 "access success";
}
}
~ : 用于表示当前uri中包含了正则表达式,并且区分大小写
~*: 用于表示当前uri中包含了正则表达式,并且不区分大小写
换句话说,如果uri包含了正则表达式,需要用上述两个符合来标识
root 与 alias 的区别
举例说明:
(1)在/usr/local/nginx/html目录下创建一个 images目录,并在目录下放入一张图片test.png图片
location /images {
root /usr/local/nginx/html;
}
访问图片的路径为:
http://192.168.2.133/images/test.png
(2)如果把root改为alias
location /images {
alias /usr/local/nginx/html;
}
再次访问上述地址,页面会出现404的错误,查看错误日志会发现是因为地址不对,所以验证了:
root的处理结果是: root路径+location路径
/usr/local/nginx/html/images/test.png
alias的处理结果是:使用alias路径替换location路径
/usr/local/nginx/html/images
需要在alias后面路径改为
location /images {
alias /usr/local/nginx/html/images;
}
(3)如果location路径是以/结尾,则alias也必须是以/结尾,root没有要求
将上述配置修改为
location /images/ {
alias /usr/local/nginx/html/images;
}
访问就会出问题,查看错误日志还是路径不对,所以需要把alias后面加上 /
小结:
root的处理结果是: root路径+location路径
alias的处理结果是:使用alias路径替换location路径
alias是一个目录别名的定义,root则是最上层目录的含义。
server 和 location 中的 root
server 和 location 中都可以使用 root,举个例子:
http {
server {
listen 80;
server_name www.mytest.com;
root /home/www/website/;
location / {
root /home/www/ts/;
index index.html;
}
}
}
如果两者都出现,是怎样的优先级呢?
简单的来说,就是就近原则,如果 location 中能匹配到,就是用 location 中的 root 配置,忽略 server 中的 root,当 location 中匹配不到的时候,则使用 server 中的 root 配置。