0
server {
    listen 80;
    server_name ~^(?<custom>.+)\.(test)?website\.com$;

    location ~ ^/event/(\d+)$ {
        proxy_pass_header Server;
        proxy_set_header Host $http_host;
        proxy_redirect off;
        proxy_set_header X-Real-IP $remote_addr;
        proxy_set_header X-Scheme $scheme;
        proxy_intercept_errors on;

        # This is the problematic block
        # This conditional breaks the whole location block.
        # If I commented the if statement, the default proxy_pass works.
        if ($http_user_agent ~* iphone|android) {
            # the proxy_pass indeed works, tested on development machine
            proxy_pass http://frontends/userland/mobile/event/$1;
            break;
        }

        # When above if conditional is enabled, this fails.
        proxy_pass http://frontends/userland/event/$1;
    }
}

注意到 server_name 中的子域匹配器几乎是一个通配符。

为什么 if 条件不起作用?如果我正在做的事情是错误的,那么重写它的最佳方法是什么?

Nginx 版本:1.2.0

4

2 回答 2

2

^/event/(\d+)$您通过评估条件iphone|android来覆盖您的 PCRE 捕获if。因此,在执行重写规则后,$1变量为空。

尝试这样的事情:

    set $num $1;
    if ($http_user_agent ~* iphone|android) {
        proxy_pass http://frontends/userland/mobile/event/$num;
    }

    proxy_pass http://frontends/userland/event/$num;
于 2012-06-05T12:10:05.647 回答
0

尤其是关于为什么“如果”在 Nginx 中可能是邪恶的,请参见这个和这个。

继承事物的方式通常不能遵循预期的形式和指令,例如“return”和“rewrite”(带有“last”)是在 Nginx“if”块中使用的唯一真正可靠的方式。

我会尝试这样的事情:

server {
    listen 80;
    server_name ~^(?<custom>.+)\.(test)?website\.com$;

    location ~ ^/event/(\d+)$ {
        proxy_pass_header Server;
        proxy_set_header Host $http_host;
        proxy_redirect off;
        proxy_set_header X-Real-IP $remote_addr;
        proxy_set_header X-Scheme $scheme;
        proxy_intercept_errors on;

        if ($http_user_agent ~* iphone|android) {
            return 302 http://frontends/userland/mobile/event/$1;
            # Alternative syntax which should keep original url in browser
            #rewrite ^ http://frontends/userland/mobile/event/$1 last;
        }

        proxy_pass http://frontends/userland/event/$1;
    }
}
于 2012-06-04T16:39:34.547 回答