web-dev-qa-db-ja.com

ワニスの変更4 503エラー

ワニス503エラーを変更するにはどうすればよいですか?
どのようにカスタマイズできますか?
ワニスv 4を使用しています

それは今働いています

sub vcl_synth {
    set resp.http.Content-Type = "text/html; charset=utf-8";
    set resp.http.Retry-After = "5";
    synthetic( {"<!DOCTYPE html>
<html>
  <head>
    <title>Under Maintenance</title>
  </head>
  <body>
    <h1>Under Maintenance</h1>
    <p></p>
    <hr>
  </body>
</html>
"} );
    return (deliver);
}
7
Ali Hasanzade

Varnish 4には2種類のエラーがあります。1つはバックエンドフェッチエラーです。vcl_backend_errorはこの種類のエラーを処理します。もう1つは、VCLで生成されるエラーです。 vcl_synthはこの種のエラーを処理します。

あなたの場合、vcl_errorサブルーチンをカスタマイズしていますが、これはバックエンドエラー用ではありません。

これらの2種類のエラーは、次のdefault.vclと区別できます。

vcl 4.0;

backend default {
    .Host = "127.0.0.1";
    .port = "8080";
}

sub vcl_recv {
    if (req.url ~ "^/404") {
        return (synth(999, "make 404 error explicitly"));
    }
}

sub vcl_backend_response {
}

sub vcl_deliver {
}

sub vcl_backend_error {
    set beresp.http.Content-Type = "text/html; charset=utf-8";
    synthetic( {"errors due to backend fetch"} );
    return (deliver);
}

sub vcl_synth {
    if (resp.status == 999) {
        set resp.status = 404;
        set resp.http.Content-Type = "text/plain; charset=utf-8";
        synthetic({"errors due to vcl"});
        return (deliver);
    }
    return (deliver);
}

エラーメッセージを確認する

$ curl http://localhost:6081/   # If the backend server is not running, "503 Backend fetch failed" error occurs 
errors due to backend fetch
$ curl http://localhost:6081/404/foo
errors due to vcl
4
quiver

代替案を提案したい...サンプルのdefault.vclファイルを以下から見つけてください

vcl 4.0;

import std;

backend default {
    .Host = "127.0.0.1";
    .port = "8080";
}

sub vcl_backend_response {
       if (beresp.status == 503 && bereq.retries < 5 ) {
       return(retry);
 }
}

sub vcl_backend_error {
      if (beresp.status == 503 && bereq.retries == 5) {
          synthetic(std.fileread("/etc/varnish/error503.html"));
          return(deliver);
       }
 }

sub vcl_synth {
    if (resp.status == 503) {
        synthetic(std.fileread("/etc/varnish/error503.html"));
        return(deliver);
     }
}

sub vcl_deliver {
    if (resp.status == 503) {
        return(restart);
    }
  }

そして、あなたはあなたのカスタムHTMLをerror503.htmlに保存することができます

12