我已经设置了 NginX 以便从实例提供一些静态文件。
静态文件将由我拥有的 3 个不同域使用。
NginX 服务器位于其自己的(第四个)域中。我想限制对我的文件的访问并应用 CORS 策略。
我研究了如何实现这一点,并确实做到了。在我的 location 块中,我测试了以下代码:
if ($request_method = 'OPTIONS') {
add_header 'Access-Control-Allow-Origin' 'http://localhost:3000';
add_header 'Access-Control-Allow-Methods' 'GET, POST, OPTIONS';
#
# Custom headers and headers various browsers *should* be OK with but aren't
#
add_header 'Access-Control-Allow-Headers' 'DNT,User-Agent,X-Requested-With,If-Modified-Since,Cache-Control,Content-Type,Range';
#
# Tell client that this pre-flight info is valid for 20 days
#
add_header 'Access-Control-Max-Age' 1728000;
add_header 'Content-Type' 'text/plain; charset=utf-8';
add_header 'Content-Length' 0;
return 204;
}
if ($request_method = 'GET') {
add_header 'Access-Control-Allow-Origin' 'http://localhost:3000';
add_header 'Access-Control-Allow-Methods' 'GET, POST, OPTIONS';
add_header 'Access-Control-Allow-Headers' 'DNT,User-Agent,X-Requested-With,If-Modified-Since,Cache-Control,Content-Type,Range';
add_header 'Access-Control-Expose-Headers' 'Content-Length,Content-Range';
}
这http://localhost:3000
是为了测试目的。我目前正在尝试实现相同的逻辑,但只允许 3 个特定的预定义域。我找到了一个可能的解决方案,建议我使用以下代码片段:
if ($http_origin ~* "^https?://example\.domain\.com$" ) {
add_header Access-Control-Allow-Origin $http_origin;
}
我猜是因为 NginX 不支持 if-elif-else 语法,所以我可以使用 3 个 if 语句来解决。但是,我知道if 是邪恶的我可以意外行为如果有些事情没有考虑到的话。
我对 NginX 还比较陌生,所以我的问题是,3-if 方法是否安全可靠?
答案1
通常,当您考虑使用if
nginx 时,最好使用map
其他方法。
在这种情况下,您可以创建一个map
声明所有允许的来源:
map $http_origin $origin_allowed {
default 0;
https://foo.example.com 1;
https://bar.example.com 1;
# ... add more allowed origins here
}
请注意不嵌套的if
s。因此,这将不起作用:
if ($request_method = 'OPTIONS') {
if ($origin_allowed = 1) {
...
进一步使用map
并考虑到add_header
如果值为空则不会发送任何内容的事实,您可以得到一些可行的方法:
map $http_origin $origin_allowed {
default 0;
https://foo.example.com 1;
https://bar.example.com 1;
# ... add more allowed origins here
}
map $origin_allowed $origin {
default "";
1 $http_origin;
}
if ($request_method = 'OPTIONS') {
add_header 'Access-Control-Allow-Origin' $origin;
...
特殊$origin
变量将包含我们允许的来源之一,如果不匹配,则为空。当add_header
使用空值调用时,不会发送标头。因此,它只会针对允许的来源发送。