快速的答案是 MongoDB 服务器查询仅对单个集合进行操作。没有跨集合的连接。您正在查询内容集合,但指定了 content_types 集合中的字段。
您可以使用嵌入将两个模型放入一个集合中,然后您的查询可以针对嵌入的文档(子)字段进行处理。
如果您愿意,我可以提供更多细节,但希望这会让您摆脱当前的惊讶。
未嵌入要求的附录:
重要提示:从多个集合访问数据将需要多个查询,每个集合至少一个查询。
以下示例基于我可以从您的帖子中提取的内容,并根据您的方法进行了修改。“不等于”查询利用了关联实现的知识,这只是现在的一个快速答案,但从检查来看,链接结构非常明显。另请注意,对 MongoDB 的实际 Moped 查询会显示在相应的 Rails 日志中。
我不熟悉 plataformatec/has_scope 的细节。Mongoid 有自己的范围,你应该调查一下,当你到达那里时,我愿意提供帮助。
应用程序/模型/content_type.rb
class ContentType
include Mongoid::Document
field :name, type: String
has_many :contents
end
应用程序/模型/内容.rb
class Content
include Mongoid::Document
field :name, type: String
belongs_to :content_type
def self.get_all_content_except_poking_message
Content.where(:name.ne => "no forking, just poking")
end
def self.get_all_content_except_certain_content_type(content_type_name) # 2 queries - one each for ContentType and Content
content_type = ContentType.where(:name => content_type_name).first
Content.where(:content_type_id.ne => content_type.id)
end
end
测试/单元/content_test.rb
需要'test_helper'
class ContentTest < ActiveSupport::TestCase
def setup
Content.delete_all
ContentType.delete_all
end
test "not equal blogs" do
blogs = ContentType.create(:name => "blogs")
tweets = ContentType.create(:name => "tweets")
blogs.contents << Content.create(:name => "no forking, just poking")
tweets.contents << Content.create(:name => "Kilroy was here")
assert_equal 2, ContentType.count
assert_equal 2, Content.count
puts "all content_types: #{ContentType.all.to_a.inspect}"
puts "all contents: #{Content.all.to_a.inspect}"
puts "get_all_content_except_poking_message: #{Content.get_all_content_except_poking_message.to_a.inspect}"
puts "get_all_content_except_certain_content_type(\"blogs\"): #{Content.get_all_content_except_certain_content_type("blogs").to_a.inspect}"
end
end
耙式试验
Run options:
# Running tests:
[1/1] ContentTest#test_not_equal_blogsall content_types: [#<ContentType _id: 51ded9d47f11ba4ec1000001, name: "blogs">, #<ContentType _id: 51ded9d47f11ba4ec1000002, name: "tweets">]
all contents: [#<Content _id: 51ded9d47f11ba4ec1000003, name: "no forking, just poking", content_type_id: "51ded9d47f11ba4ec1000001">, #<Content _id: 51ded9d47f11ba4ec1000004, name: "Kilroy was here", content_type_id: "51ded9d47f11ba4ec1000002">]
get_all_content_except_poking_message: [#<Content _id: 51ded9d47f11ba4ec1000004, name: "Kilroy was here", content_type_id: "51ded9d47f11ba4ec1000002">]
get_all_content_except_certain_content_type("blogs"): [#<Content _id: 51ded9d47f11ba4ec1000004, name: "Kilroy was here", content_type_id: "51ded9d47f11ba4ec1000002">]
Finished tests in 0.046370s, 21.5657 tests/s, 43.1313 assertions/s.
1 tests, 2 assertions, 0 failures, 0 errors, 0 skips
对于这种简单的情况,您可以通过脱离严格的关系规范化来“简化”,例如,只需将“content_type_name”字段添加到具有字符串值(如“blogs”)的内容。
但要真正利用 MongoDB,您应该毫不犹豫地嵌入。
希望这会有所帮助。