从多模型查询中收集搜索结果

Gathering search results from a multi-model query

我目前正在使用 searchkick gem 为搜索查询编制索引。还应注意,我正在搜索两个模型,ArtistsAlbums。在我的 search_controller 中,我有 3 个实例变量,第一个是 @results,用于返回我的 autocomplete(在别处使用)的两个模型的所有结果:

@results = Artist.search(params[:query], index_name: [Artist.searchkick_index.name, Album.searchkick_index.name], fields: [{ name: :word_start }], limit: 10)

然后是我的@artists/@albums实例变量。

@artists = @results.select { |result| result.class.name == "Artist" }
@albums = @results.select { |result| result.class.name == "Album" }

我将这些结果分开,这样我就可以在我的索引视图中对艺术家和专辑进行分组:

<h1>Search Results</h1>

<div class="artist-results">
  <h2>Artists</h2>

  <% @artists.each do |artist| %>
    <%= link_to artist.name, artist_path(artist) %>
  <% end %>
</div>

<div class="album-results">
  <h2>Albums</h2>

  <% @albums.each do |album| %>
    <%= link_to album.name, album_path(album) %>
  <% end %>
</div>

我对搜索控制器代码的一个主要担忧是我正在执行 2 个几乎相同的枚举。我可能是错的,但有件事告诉我我不应该这样做。对于我正在做的事情,是否有更高效的解决方案?我这样做是否正确?

完整的控制器代码

class SearchController < ApplicationController
  before_filter :set_results

  def index
  end

  def autocomplete
    render json: @results
  end

  private
    def set_results
      @results = Artist.search(params[:query], index_name: [Artist.searchkick_index.name, Album.searchkick_index.name], fields: [{ name: :word_start }], limit: 10)
      @artists = @results.select { |result| result.class.name == "Artist" }
      @albums = @results.select { |result| result.class.name == "Album" }
    end
end

不确定它的性能更高。但是你可以使用 group by.

results = Artist.search(params[:query], index_name: [Artist.searchkick_index.name, Album.searchkick_index.name], fields: [{ name: :word_start }], limit: 10)
@grouped_results = results.group_by{|x| x.class.name }

然后

<h1>Search Results</h1>

<% @grouped_results.each do |class_name, results| %>
  <div class="<%= class_name.downcase %>-results">
    <h2><%= class_name.pluralize %></h2>

    <% results.each do |result| %>
      <%= link_to result %>
    <% end %>    
  </div>
<% end %>