1

我有一个 Rails 4 应用程序。我必须以某种方式区分不同的缓存键,但不知道命名约定。

第一个例子:

我有一个带有index,completed_tasksincoming_tasks动作的任务模型。@tasks由于分页,A 具有相同的实例名称 ( )。

目前缓存键的名称如下所示。我的问题: 1. 缓存键结构是否足够好?2. 我将键的各个部分放入数组中的顺序是否重要?例如[@tasks.map(&:id), @tasks.map(&:updated_at).max, 'completed-tasks']['completed-tasks', @tasks.map(&:id), @tasks.map(&:updated_at).max]?

完成任务.html.erb

<% cache([@tasks.map(&:id), @tasks.map(&:updated_at).max, 'completed-tasks']) do %>
  <%= render @tasks %>
<% end %>

任务.html.erb

<% cache([@tasks.map(&:id), @tasks.map(&:updated_at).max]) do %>
  <%= render @tasks %>
<% end %>

incoming_tasks.html.erb

<% cache([@tasks.map(&:id), @tasks.map(&:updated_at).max, 'incoming-tasks']) do %>
  <%= render @tasks %>
<% end %>

第二个例子:

我也对以下命名约定有疑问russian-doll-caching

products/index.html.erb

<% cache([@products.map(&:id), @products.map(&:updated_at).max]) do %>
  <%= render @products %>
<% end %>

_product.html.erb 

<% cache(product) do %>
  <%= product.name %>
  ....
<% end %>

这个版本是否足够好,或者我总是应该在外部和内部缓存键数组中放置一些字符串,以避免其他页面上类似命名的缓存键出现问题。例如,我计划放置与我的示例中的内部缓存完全相同的页面<% cache(@product) do %>profile#show如果键必须不同,那么rails约定将内部缓存键命名为外部缓存键是什么?

4

2 回答 2

1

最佳做法是始终将字符串放在末尾。它真的只需要对你有意义。

于 2016-03-31T14:59:49.743 回答
1

首先,根据Russian Doll Caching文章,我认为没有必要自己设置cache_key,你可以把它留给rails,它会自动生成cache_key。例如,cache_keyof@tasks = Task.incoming应该不同于@tasks = Task.completed类似于views/task/1-20160330214154/task/2-20160330214154/d5f56b3fdb0dbaf184cc7ff72208195eandviews/task/3-20160330214154/task/4-20160330214154/84cc7ff72208195ed5f56b3fdb0dbaf1

cache [@tasks, 'incoming_tasks'] do
  ...
end

其次,对于命名空间,虽然模板摘要相同,但@tasks摘要不同。所以在这种情况下,没有命名空间似乎没问题。

cache @tasks do
  ...
end

第三,说到命名空间,我更喜欢前缀而不是后缀。IE

cache ['incoming_tasks', @tasks] do
  ...
end

作为第二个例子,我认为这会很好。

<% cache @product do # first layer cache %>
  <% cache @products do # second layer cache %>
    <%= render @products %>
  <% end %>

  <% cache @product do # second layer cache %>
    <%= product.name %>
    ....
  <% end %>
<% end %>

app/views/products/show.html.erb 的缓存键类似于views/product/123-20160310191209/707c67b2d9fb66ab41d93cb120b61f46。最后一点是模板文件本身及其所有依赖项的 MD5。如果您更改模板或任何依赖项,它将更改,从而允许缓存自动过期。

进一步阅读:https ://github.com/rails/cache_digests

于 2016-03-31T15:14:42.520 回答