设置 public_file_server.headers 除了一些文件

Setting public_file_server.headers except for some files

我在 production.rb 中使用这个:

config.public_file_server.headers = {
  'Cache-Control' => 'public, s-maxage=31536000, maxage=31536000',
  'Expires'       => "#{1.year.from_now.to_formatted_s(:rfc822)}"
}

我通过 cdn.mydomain.com 使用 public 文件,它从 www.mydomain.com 读取并从 www.mydomain.com 复制缓存控制,我用 public_file_server.headers.

问题是我希望 /public 中的一些文件没有这些缓存控制,例如我的服务-worker.js

例如,有没有一种方法可以为 /public 中的一个文件夹设置这些缓存控制?

另一种解决方案是去掉这个public_file_server.headers配置,并在cdn级别设置缓存控制(我使用cdn.mydomain.com/publicfile),并保持www.mydomain.com/serviceworker 没有缓存控制,对于 service worker。

但也许有机会在 Rails 级别配置它?

我遇到了完全相同的问题:使用 CDN (Cloudfront) Rails 构建的 PWA。对于资产,我想使用缓存 headers 并在未来过期,但 ServiceWorker 需要 Cache-control: No-cache.

因为 CloudFront 本身不允许添加或更改 headers,所以我需要应用程序级别的解决方案。经过一些研究,我在 blogpost 中找到了解决方案。这个想法是通过 public_file_server.headers 设置 headers 并添加一个中间件来为 ServiceWorker 文件更改它。

另外,你写的maxage=,应该是max-age=

这是我使用的代码:

production.rb:

config.public_file_server.enabled = ENV['RAILS_SERVE_STATIC_FILES'].present?
config.public_file_server.headers = {
  'Cache-Control' => 'public, s-maxage=31536000, max-age=15552000',
  'Expires' => 1.year.from_now.to_formatted_s(:rfc822)
}

if ENV['RAILS_SERVE_STATIC_FILES'].present?
  config.middleware.insert_before ActionDispatch::Static, ServiceWorkerManager, ['sw.js']
end

app/middleware/service_worker_manager.rb:

# Taken from https://codeburst.io/service-workers-rails-middleware-841d0194144d
#
class ServiceWorkerManager
  # We’ll pass 'service_workers' when we register this middleware.
  def initialize(app, service_workers)
    @app = app
    @service_workers = service_workers
  end

  def call(env)
    # Let the next middleware classes & app do their thing first…
    status, headers, response = @app.call(env)
    dont_cache = @service_workers.any? { |worker_name| env['REQUEST_PATH'].include?(worker_name) }

    # …and modify the response if a service worker was fetched.
    if dont_cache
      headers['Cache-Control'] = 'no-cache'
      headers.except!('Expires')
    end

    [status, headers, response]
  end
end