我有一个典型的标签和任何对象关系:说
class Tag < ActiveRecord::Base
attr_accessible :name
has_many :tagazations
has_many :projects, :through => :tagazations
end
class Tagazation < ActiveRecord::Base
belongs_to :project
belongs_to :tag
validates :tag_id, :uniqueness => { :scope => :project_id }
end
class Project < ActiveRecord::Base
has_many :tagazations
has_many :tags, :through => :tagazations
end
这里没什么特别的:每个项目都标有一个或多个标签 该应用程序具有搜索功能:您可以选择某些标签,我的应用程序应该显示所有标记有所有提及标签的项目。所以我得到了一个必要的tag_ids数组,然后遇到了这么简单的问题
答案 0 :(得分:6)
要在一个查询中执行此操作,您需要利用常见的 double not exists SQL查询,它基本上为所有Y 找到X.
在您的实例中,您可以这样做:
class Project < ActiveRecord::Base
def with_tags(tag_ids)
where("NOT EXISTS (SELECT * FROM tags
WHERE NOT EXISTS (SELECT * FROM tagazations
WHERE tagazations.tag_id = tags.id
AND tagazations.project_id = projects.id)
AND tags.id IN (?))", tag_ids)
end
end
或者,您可以使用count,group和having,虽然我怀疑第一个版本更快但可以随意进行基准测试:
def with_tags(tag_ids)
joins(:tags).select('projects.*, count(tags.id) as tag_count')
.where(tags: { id: tag_ids }).group('projects.id')
.having('tag_count = ?', tag_ids.size)
end
答案 1 :(得分:1)
这是一种做法,但绝不是最有效的方法:
class Project < ActiveRecord::Base
has_many :tagazations
has_many :tags, :through => :tagazations
def find_with_all_tags(tag_names)
# First find the tags and join with their respective projects
matching_tags = Tag.includes(:projects).where(:name => tag_names)
# Find the intersection of these lists, using the ruby array intersection operator &
matching_tags.reduce([]) {|result, tag| result & tag.projects}
end
end
那里可能会有一些拼写错误,但你明白了