nginx配置CORS實現跨域

LikeDege發表於2017-11-16

場景

最近有個上傳圖片的需求,為了分流,將介面部署到另一個單獨的域名,所以需要解決跨域的問題。

思路

一開始想著在後端程式碼直接設定cors策略,後來發現請求都是從nginx進入,所以將cors移動到nginx下實現。同時只能對指定子域名放開訪問許可權,所以設定如下。

Access-Control-Allow-Origin *.test.com

親測不可用,只能是*和指定的域名。

實現

還好nginx支援if指令,對域名做下正則校驗就可以實現指定子域名跨域。
接下來測試發現瀏覽器的options發到後端後,沒有處理返回了一些莫名其妙的東西。
好吧直接在nginx返回不發給後端,還是用if指令判斷http請求型別。
這裡就用了兩個if,最坑的事情出現了,nginx在多個if指令下,有些指令是最後一個if才有效,前面的會被覆蓋。
最終還是直接重複add_header解決。

注意點

客戶端ajax請求withCredentials屬性設定為true才會傳送cookie。
同時cookie要是上傳域名可用的,不然還是要通過url引數等方式去傳遞。

nginx配置

location / {
   # 檢查域名字尾
   if ($http_origin ~ .test.com) {
        add_header Access-Control-Allow-Origin $http_origin;
        add_header Access-Control-Allow-Methods GET,POST,OPTIONS;
        add_header Access-Control-Allow-Credentials true;
        add_header Access-Control-Allow-Headers DNT,X-CustomHeader,Keep-Alive,User-Agent,X-Requested-With,If-Modified-Since,Cache-Control,Content-Type;
        add_header Access-Control-Max-Age 1728000;
   }
   # options請求不轉給後端,直接返回204
   # 第二個if會導致上面的add_header無效,這是nginx的問題,這裡直接重複執行下
   if ($request_method = OPTIONS) {
        add_header Access-Control-Allow-Origin $http_origin;
        add_header Access-Control-Allow-Methods GET,POST,OPTIONS;
        add_header Access-Control-Allow-Credentials true;
        add_header Access-Control-Allow-Headers DNT,X-CustomHeader,Keep-Alive,User-Agent,X-Requested-With,If-Modified-Since,Cache-Control,Content-Type;
        add_header Access-Control-Max-Age 1728000;
        return 204;
   }
    
   # 其他請求代理到後端
   proxy_set_header Host $host;
   proxy_redirect off;
   proxy_set_header X-Real-IP $remote_addr;
   proxy_set_header X-Scheme $scheme;
   proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
   proxy_set_header X-Forwarded-Proto $scheme;
   proxy_pass http://xxx.xxx.xxx.xxx;
} 

相關文章