0

私は、2 つのサンプル参照モデルがある単純なプロジェクトに取り組んでいます。

class Player
  include Mongoid::Document
  include Mongoid::Timestamps

  has_and_belongs_to_many :games
end

class Game
  include Mongoid::Document
  include Mongoid::Timestamps

  has_and_belongs_to_many :players
end

私がする必要があるのは、プレーヤーの数でプレイされた上位のゲームのリストを取得することです。これに似ています:

{
  "diablo_3": {
    "players": 89
  },
  "max_payne_3": {
    "players": 87
  },
  "world_of_warcraft": {
    "players": 65
  },
  "dirt_3": {
    "players": 43
  }
}

ありがとう

4

1 に答える 1

1

MongoDB グループ コマンドを使用して、単一のコレクションに対してサーバー サイズの処理を実行できます。これは、Ruby ドライバーのコレクションに対するメソッドとして使用できます。http://api.mongodb.org/ruby/current/Mongoを参照してください。 /Collection.html#group-instance_method

以下に、モデルに基づいたテストを見つけてください。タイトル フィールドがゲーム モデルに追加されています。これは、MongoDB の group コマンドを使用する質問に対する有効な回答です。

require 'test_helper'

class GameTest < ActiveSupport::TestCase
  def setup
    Player.delete_all
    Game.delete_all
  end

  test "game player count" do
    input = [ [ 'diablo_3', 89 ], [ 'max_payne_3', 87 ], [ 'world_of_warcraft', 65 ], [ 'dirt_3', 43 ] ]
    input.shuffle.each do | title, count |
      game = Game.create(title: title)
      (0...count).each{ game.players << Player.new }
    end
    game_player_count = Game.collection.group(key: :_id, cond: {}, initial: {count: 0}, reduce: 'function(doc, out) { out.title = doc.title; out.count = doc.player_ids.length; }')
    game_player_count.sort!{|a,b| -(a['count'] <=> b['count']) }
    game_player_count = Hash[*game_player_count.map{|r| [r['title'], {"players" => r['count'].to_i} ]}.flatten]
    puts JSON.pretty_generate(game_player_count)
  end

end

結果

Run options: --name=test_game_player_count

# Running tests:

{
  "diablo_3": {
    "players": 89
  },
  "max_payne_3": {
    "players": 87
  },
  "world_of_warcraft": {
    "players": 65
  },
  "dirt_3": {
    "players": 43
  }
}
.

Finished tests in 0.482286s, 2.0735 tests/s, 0.0000 assertions/s.

1 tests, 0 assertions, 0 failures, 0 errors, 0 skips
于 2012-05-27T22:24:52.917 に答える