web-dev-qa-db-ja.com

Flaskを使用して、すべての出力のCache-Controlヘッダーを変更するにはどうすればよいですか?

これを使ってみた

@app.after_request
def add_header(response):
    response.headers['Cache-Control'] = 'max-age=300'
    return response

ただし、これにより、Cache-Controlヘッダーが重複して表示されます。 max-age = 1300600行ではなく、max-age = 300のみが必要です!

$ curl -I http://my.url.here/
HTTP/1.1 200 OK
Date: Wed, 16 Apr 2014 14:24:22 GMT
Server: Apache
Cache-Control: max-age=300
Content-Length: 107993
Cache-Control: max-age=1209600
Expires: Wed, 30 Apr 2014 14:24:22 GMT
Content-Type: text/html; charset=utf-8
28
wuxiekeji

_response.cache_control_オブジェクト ;を使用しますこれは ResponseCacheControl() instance で、さまざまなキャッシュ属性を直接設定できます。さらに、すでにヘッダーがある場合は、重複するヘッダーを追加しないようにします。

_@app.after_request
def add_header(response):
    response.cache_control.max_age = 300
    return response
_
53
Martijn Pieters

Flaskアプリケーションを作成するときに、すべての静的ファイルにデフォルト値を設定できます。

app = Flask(__name__)
app.config['SEND_FILE_MAX_AGE_DEFAULT'] = 300

request.cache_controlafter_requestを変更すると、受け入れられた回答のように、これは静的ファイルのCache-Controlヘッダーも変更し、上で示したように設定した動作をオーバーライドすることに注意してください。現在、次のコードを使用して、静的ファイルではなく、動的に生成されたコンテンツのキャッシュを完全に無効にします。

# No cacheing at all for API endpoints.
@app.after_request
def add_header(response):
    # response.cache_control.no_store = True
    if 'Cache-Control' not in response.headers:
        response.headers['Cache-Control'] = 'no-store'
    return response

これが最善の方法であるかどうかは完全には定かではありませんが、今のところうまく機能しています。

19
aldel