Mongoid查询

时间:2011-11-23 10:32:26

标签: ruby-on-rails-3 mongodb mongoid

我在使用Mongodb数据库的RoR上有一些应用程序。我使用Mongoid映射器。模型post.rb

class Post
  include Mongoid::Document

  field :title, :type => String
  field :text, :type => String

  embeds_many :comments
end

模型comment.rb

class Comment  
  include Mongoid::Document

  field :name, :type => String
  field :content, :type => String

  embedded_in :post, :inverse_of => :comments
end 

在数据库中,这篇有一些评论的帖子有下一个结构:

{
   "_id": ObjectId("4ecbeacf65430f0cef000003"),
   "comments": {
     "0": {
       "name": "my name",
       "content": "example content",
       "_id": ObjectId("4ecbead365430f0cef000005") 
    },
     "1": {
       "name": "some name",
       "content": "example content",
       "_id": ObjectId("4ecbead665430f0cef000007") 
    },
     "2": {
       "name": "some name",
       "content": "example content",
       "_id": ObjectId("4ecbeada65430f0cef000009") 
    } 
  },
   "text": "example text",
   "title": "example title" 
}

并且,例如,在数据库中有一些帖子和我的评论。 我需要查找所有帖子,其中"name": "my name",即我需要找到所有可编辑的帖子。

1 个答案:

答案 0 :(得分:3)

它应该显示为注释数组而不是哈希值。请参阅下面的示例。

此外,根据mongoid文档,使用新样式字段声明。

comment.rb:

class Comment
  include Mongoid::Document

  field :name, type: String
  field :content, type: String

  embedded_in :post
end

post.rb:

class Post
  include Mongoid::Document

  field :title, type: String
  field :text, type: String

  embeds_many :comments
end

Rails控制台:

p = Post.new(:title => "title", :text => "post")
c1 = Comment.new(:name => "Tyler", :comment => "Awesome Comment!")
c2 = Comment.new(:name => "Joe", :comment => "comment 2")
p.comments << c1
p.comments << c2
p.save

Mongo控制台:

> db.posts.findOne()
{
    "_id" : ObjectId("4ecd151d096f762149000001"),
"title" : "title",
"text" : "post body",
"comments" : [
            {
        "name" : "Tyler",
        "comment" : "Awesome Comment!",
        "_id" : ObjectId("4ecd1569096f762149000002")
    },
    {
        "name" : "Joe",
        "comment" : "comment 2",
        "_id" : ObjectId("4ecd157f096f762149000003")
    }
]}

然后,要进行您想要的查询,我认为这是“我发布的评论?”:

> db.posts.findOne({"comments.name": "Tyler"})

另外,我会在comments.name字段中添加一个索引:

> db.posts.ensureIndex({"comments.name": 1})