0

我得到以下文档结构:

简介has_manyDailyProviders。DailyProvider的embeds_one朋友。Friends 有一个整数字段count

  • 注意 DailyProvider embeds_ONE,因为我不打算存储一组朋友。只是每天的总计数。朋友更多地用于“可读性”。

如何使用聚合框架返回按提供者和日期分组的所有计数的总和?

class Stat::Profile
  include Mongoid::Document
  has_many :daily_providers, class_name: 'Stat::DailyProvider'
  field :profile_id, type: Integer
end

class Stat::DailyProvider
  include Mongoid::Document

  belongs_to :profile, class_name: 'Stat::Profile'
  embeds_one :friends, class_name: 'Stat::DailyProvider::Friend', cascade_callbacks: true

  field :provider_name, type: String
  field :date, type: Integer, default: Time.zone.now.strftime('%Y%m%d').to_i

  validates :provider_name, uniqueness: true, presence: true, inclusion: { in: %w(facebook, linkedin) }
end

class Stat::DailyProvider::Friend
  include Mongoid::Document

  embedded_in :daily_provider, class_name: 'Stat::DailyProvider'

  field :count, type: Integer, default: 0
end

我试过:

Stat::Profile.first.collection.aggregate(
  { '$unwind' => '$daily_providers' },
  { '$unwind' => '$daily_providers.friends' },
  {
    '$project' => {
      '_id' => 1,
      'daily_providers' => '$daily_providers'
    }
  },
  {
    '$group' => {
      '_id' => {
        'date' => '$daily_providers.date'
      },
      'count' => { '$sum' => '$daily_providers.friends.count' }
    }
  }
)

但我得到一个空的[]. 聚合框架是否仅适用于嵌入在单个集合中的文档?或者它可以与参考文件一起使用吗?

4

1 回答 1

1

MongoDB 不能自动跟随引用。DBRef只是数据库驱动程序的约定。它们对 MongoDB 本身没有任何意义。

MongoDB 不做 JOIN - 句号。聚合框架一次只能处理一个集合。大多数其他工具(如 MapReduce)也是如此。当你需要做一个 JOIN 时,你需要在应用层做这个:查询第一个集合,检查结果,并根据它们查询第二个集合。

出于这个原因,MongoDB 鼓励在父对象中嵌入文档而不是引用它们。

于 2013-09-14T19:28:36.830 回答