3

下午好,

我在尝试将 HTTP 缓存与 Rack::Cache 和动作缓存(在我的 Heroku 托管应用程序上)结合起来时遇到了一些问题。

单独使用它们,它似乎工作。启用动作缓存后,页面加载速度很快,日志会提示它正在缓存。通过控制器(eTag、last_modified 和 fresh_when)中的 HTTP 缓存,似乎设置了正确的标头。

但是,当我尝试将两者结合起来时,它似乎是动作缓存,但 HTTP 标头始终是 max_age: 0,must_revalidate。为什么是这样?难道我做错了什么?

例如,这是我的“home”操作中的代码:

class StaticPagesController < ApplicationController
  layout 'public'

  caches_action :about, :contact, ......, :home, .....

  ......

  def home
    last_modified = File.mtime("#{Rails.root}/app/views/static_pages/home.html.haml")
    fresh_when last_modified: last_modified , public: true, etag: last_modified
    expires_in 10.seconds, :public => true       
  end

出于所有意图和目的,这应该有一个最大年龄为 10 的公共缓存控制标签,不是吗?

$ curl -I http://myapp-staging.herokuapp.com/

HTTP/1.1 200 OK
Cache-Control: max-age=0, private, must-revalidate
Content-Type: text/html; charset=utf-8
Date: Thu, 24 May 2012 06:50:45 GMT
Etag: "997dacac05aa4c73f5a6861c9f5a9db0"
Status: 200 OK
Vary: Accept-Encoding
X-Rack-Cache: stale, invalid
X-Request-Id: 078d86423f234da1ac41b418825618c2
X-Runtime: 0.005902
X-Ua-Compatible: IE=Edge,chrome=1
Connection: keep-alive

配置信息:

# Use a different cache store in production
config.cache_store = :dalli_store

config.action_dispatch.rack_cache = {
  :verbose      => true,
  :metastore => "memcached://#{ENV['MEMCACHE_SERVERS']}",
  :entitystore => "memcached://#{ENV['MEMCACHE_SERVERS']}"#,
}

在我看来,您应该能够使用动作缓存以及反向代理,对吗?我知道他们做的事情非常相似(如果页面发生变化,代理和动作缓存都将无效并需要重新生成),但我觉得我应该能够同时拥有两者。或者我应该摆脱一个?

更新

谢谢楼下的回答!它似乎工作。但是为了避免必须为每个控制器操作编写 set_XXX_cache_header 方法,您是否看到这不起作用的任何原因?

before_filter :set_http_cache_headers

.....

def set_http_cache_headers
  expires_in 10.seconds, :public => true
  last_modified = File.mtime("#{Rails.root}/app/views/static_pages/#{params[:action]}.html.haml")
  fresh_when last_modified: last_modified , public: true, etag: last_modified
end
4

1 回答 1

5

使用动作缓存时,仅缓存响应正文和内容类型。对响应的任何其他更改都不会在后续请求中发生。

但是,即使动作本身被缓存,动作缓存也会运行任何之前的过滤器。

因此,您可以执行以下操作:

class StaticPagesController < ApplicationController
  layout 'public'

  before_filter :set_home_cache_headers, :only => [:home]

  caches_action :about, :contact, ......, :home, .....

  ......

  def set_home_cache_headers
    last_modified = File.mtime("#{Rails.root}/app/views/static_pages/home.html.haml")
    fresh_when last_modified: last_modified , public: true, etag: last_modified
    expires_in 10.seconds, public: true       
  end
于 2012-07-03T19:08:32.550 回答