Nginx:基于变量缓存标头的位置块内部的替代方案

Nginx:基于变量缓存标头的位置块内部的替代方案

我正在尝试使用 Nginx 页面缓存而不是 Wordpress 缓存。缓存似乎工作正常,但我无法根据变量设置条件缓存标头 - 用户是否登录到 wordpress。如果用户已登录,我希望应用无缓存标头,如果没有,Wordpress 和 CDN 可以缓存该页面一天。我发现我只能在 if 语句中添加一个标头。

我已阅读(但并未完全理解,因为已经很晚了)[if is evil][1]。我还在 stack exchange 上找到了一个答案(在我的笔记本电脑上,现在找不到),上面说在 if 块中只有一个 add_header 有效。

有人能给我一些更好的替代方案吗?我知道我可以将过期时间与缓存控制结合起来,但我希望在其中添加更多标头,而且我想理解和学习。

这是一个显著简化的配置,其中包含相关部分。

server {
  server_name example.com;

  set $skip_cache 0;
  # POST requests and urls with a query string should always go to PHP
  if ($request_method = POST) {
    set $skip_cache 1;
  }
  if ($query_string != "") {
    set $skip_cache 1;
  }
  # Don't cache uris containing the following segments.
  if ($request_uri ~* "/wp-admin/|/admin-*|/xmlrpc.php|wp-.*.php|/feed/|index.php|sitemap(_index)?.xml") {
    set $skip_cache 1;
  }
  # Don't use the cache for logged in users or recent commenters
  if ($http_cookie ~* "comment_author|wordpress_[a-f0-9]+|wp-postpass|wordpress_no_cache|wordpress_logged_in") {
    set $skip_cache 1;
  }

  location / {
    try_files $uri $uri/ /blog/index.php?args;
  }

  location ~ \.(hh|php)$ {
    fastcgi_keep_conn on;
    fastcgi_intercept_errors on;
    fastcgi_pass  php;
    include  fastcgi_params;
    fastcgi_param SCRIPT_FILENAME $document_root$fastcgi_script_name;

    # Cache Stuff
    fastcgi_cache CACHE_NAME;
    fastcgi_cache_valid 200 1440m;
    add_header X-Cache $upstream_cache_status;

    fastcgi_cache_methods GET HEAD;
    fastcgi_cache_bypass $skip_cache;
    fastcgi_no_cache $skip_cache;

    add_header Z_ABCD "Test header";

    if ($skip_cache = 1) {
      add_header Cache-Control "private, no-cache, no-store";
      add_header CACHE_STATUS "CACHE NOT USED";
    }
    if ($skip_cache = 0) {
      add_header Cache-Control "public, s-maxage = 240";
      expires 1d;
      add_header CACHE_STATUS "USED CACHE";
    }

    add_header ANOTHER_HEADER "message";
    }
}

答案1

指令的替代方案ifmap指令。假设CACHE_STATUSvsCACHE_STATIC只是您问题中的拼写错误,您可以尝试以下操作:

map $http_cookie $expires {
    default 1d;
    ~*wordpress_logged_in off;
}
map $http_cookie $control {
    default "public, s-maxage = 240";
    ~*wordpress_logged_in "private, no-cache, no-store";
}
map $http_cookie $status {
    default "USED CACHE";
    ~*wordpress_logged_in "CACHE NOT USED";
}
server {
    ...
    location ~ \.(hh|php)$ {
        ...
        expires $expires;
        add_header Cache-Control $control;
        add_header CACHE_STATUS $status;
    }
}

指令map应该放在http容器内(与块处于同一级别server),如上所示。

map指令是记录在这里

答案2

我自己想出了一个解决方案,基于@Richard Smith 提供的答案,但并没有完全满足我的需求。我使用了更多的缓存控制标头,并删除了不必要的 expires 指令。

它位于服务器块内

if ($skip_cache = 1) {
  set $cacheControl "private, max-age=0, s-maxage=0, no-cache, no-store";
}
if ($skip_cache = 0) {
  set $cacheControl "public, max-age=86400, s-maxage=86400";
}

然后进入每个适用的位置块

add_header Cache-Control $cacheControl;

这意味着位置块内不需要“if”。我认为这解决了问题,但我仍然想知道是否有人有其他想法。

相关内容