web-dev-qa-db-ja.com

nginxロケーションブロックはURLクエリ文字列と一致できますか?

nginxlocation blocks はURLクエリ文字列に一致できますか?

たとえば、どのロケーションブロックがHTTP GETリクエストに一致するか

GET /git/sample-repository/info/refs?service=git-receive-pack HTTP/1.1
25
Derek Mahar

NginxロケーションブロックはURLクエリ文字列と一致できますか?

短い答え:いいえ。

長い答え:このようなロケーションブロックが少数しかない場合は、回避策があります。

特定のクエリ文字列に一致する必要がある3つのロケーションブロックの回避策の例を次に示します。

server {
  #... common definitions such as server, root

  location / {
    error_page 418 = @queryone;
    error_page 419 = @querytwo;
    error_page 420 = @querythree;

    if ( $query_string = "service=git-receive-pack" ) { return 418; }
    if ( $args ~ "service=git-upload-pack" ) { return 419; }
    if ( $arg_somerandomfield = "somerandomvaluetomatch" ) { return 420; }

    # do the remaining stuff
    # ex: try_files $uri =404;

  }

  location @queryone {
    # do stuff when queryone matches
  }

  location @querytwo {
    # do stuff when querytwo matches
  }

  location @querythree {
    # do stuff when querythree matches
  }
}

$ query_string、$ args、または$ arg_fieldnameを使用できます。すべてが仕事をします。 公式ドキュメントのerror_page について詳しく知っているかもしれません。

警告: 標準のHTTPコード を必ずしないようにしてください。

39
Pothi Kalimuthu

私はこの質問が1年以上前であることを知っていますが、同様の問題で私の脳を破壊するために最後の数日間を費やしました。プッシュとプルを含む、公開リポジトリと非公開リポジトリの異なる認証と処理ルールが必要でした。これがようやく思いついたので、共有したいと思いました。私はifがトリッキーなディレクティブであることを知っていますが、これは私にとってはうまくいくようです:

# pattern for all repos, public or private, followed by username and reponame
location ~ ^(?:\/(private))?\/([A-Za-z0-9]+)\/([A-Za-z0-9]+)\.git(\/.*)?$ {

    # if this is a pull request
    if ( $arg_service = "git-upload-pack" ) {

        # rewrite url with a prefix
        rewrite ^ /upload$uri;

    }

    # if this is a Push request
    if ( $arg_service = "git-receive-pack" ) {

        # rewrite url with a prefix
        rewrite ^ /receive$uri;

    }

}

# for pulling public repos
location ~ ^\/upload(\/([A-Za-z0-9]+)\/([A-Za-z0-9]+)\.git(\/.*)?)$ {

    # auth_basic "git";
    # ^ if you want

    # ...
    # fastcgi_pass unix:/var/run/fcgiwrap.socket;
    # ...

}

# for pushing public repos
location ~ ^\/receive(\/([A-Za-z0-9]+)\/([A-Za-z0-9]+)\.git(\/.*)?)$ {

    # auth_basic "git";
    # ^ if you want

    # ...
    # fastcgi_pass unix:/var/run/fcgiwrap.socket;
    # ...

}

# for pulling private repos
location ~ ^\/upload\/private(\/([A-Za-z0-9]+)\/([A-Za-z0-9]+)\.git(\/.*)?)$ {

    # auth_basic "git";
    # ^ if you want

    # ...
    # fastcgi_pass unix:/var/run/fcgiwrap.socket;
    # ...

}

# for pushing private repos
location ~ ^\/receive\/private(\/([A-Za-z0-9]+)\/([A-Za-z0-9]+)\.git(\/.*)?)$ {

    # auth_basic "git";
    # ^ if you want

    # ...
    # fastcgi_pass unix:/var/run/fcgiwrap.socket;
    # ...

}
4
Jared Brandt