插件窝 干货文章 nginx如何解决跨域问题

nginx如何解决跨域问题

header Control Access Allow 477    来源:    2025-04-05

Nginx 解决跨域问题的配置方法

跨域问题(CORS)是前端开发中常见的问题,Nginx可以通过配置来解决跨域访问限制。以下是几种常见的解决方案:

1. 基本CORS配置

server {
    listen 80;
    server_name example.com;

    location / {
        # 允许所有来源访问
        add_header 'Access-Control-Allow-Origin' '*';

        # 允许的请求方法
        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-Max-Age' 1728000;

        # 允许浏览器在跨域请求中携带凭证(cookie等)
        # add_header 'Access-Control-Allow-Credentials' 'true';

        # 其他配置...
    }
}

2. 针对特定域名允许跨域

server {
    listen 80;
    server_name api.example.com;

    location / {
        # 只允许特定域名跨域访问
        if ($http_origin ~* (https?://(www\.)?(example\.com|anothersite\.com))) {
            add_header 'Access-Control-Allow-Origin' "$http_origin";
            add_header 'Access-Control-Allow-Credentials' 'true';
        }

        # 其他配置...
    }
}

3. 处理OPTIONS预检请求

server {
    listen 80;
    server_name api.example.com;

    location / {
        # 处理预检请求
        if ($request_method = 'OPTIONS') {
            add_header 'Access-Control-Allow-Origin' '*';
            add_header 'Access-Control-Allow-Methods' 'GET, POST, OPTIONS, PUT, DELETE';
            add_header 'Access-Control-Allow-Headers' 'Content-Type, Authorization';
            add_header 'Access-Control-Max-Age' 1728000;
            add_header 'Content-Type' 'text/plain; charset=utf-8';
            add_header 'Content-Length' 0;
            return 204;
        }

        # 其他配置...
    }
}

4. 完整示例配置

server {
    listen 80;
    server_name api.example.com;

    location / {
        # 允许跨域请求
        add_header 'Access-Control-Allow-Origin' $http_origin;
        add_header 'Access-Control-Allow-Credentials' 'true';
        add_header 'Access-Control-Allow-Methods' 'GET, POST, PUT, DELETE, OPTIONS';
        add_header 'Access-Control-Allow-Headers' 'DNT,User-Agent,X-Requested-With,If-Modified-Since,Cache-Control,Content-Type,Range,Authorization';

        # 处理OPTIONS预检请求
        if ($request_method = 'OPTIONS') {
            add_header 'Access-Control-Max-Age' 1728000;
            add_header 'Content-Type' 'text/plain; charset=utf-8';
            add_header 'Content-Length' 0;
            return 204;
        }

        # 代理到后端服务
        proxy_pass http://backend;
        proxy_set_header Host $host;
        proxy_set_header X-Real-IP $remote_addr;
    }
}

注意事项

  1. 使用 Access-Control-Allow-Credentials: true 时,不能使用通配符 * 作为 Access-Control-Allow-Origin 的值
  2. 对于复杂的跨域请求(如带自定义头部的请求),浏览器会先发送OPTIONS预检请求
  3. 在生产环境中,建议明确指定允许的域名,而不是使用通配符 *
  4. 配置修改后需要重载Nginx:nginx -s reload

这些配置可以根据实际需求进行调整,以满足不同场景下的跨域访问需求。