所以我想构建一个可以标记作业的作业板。 我想自己实现它,所以我遵循了这个教程: https://www.sitepoint.com/tagging-scratch-rails/
一切正常,但我不仅要获得所有标记为一个标记的作业(教程都有tagged_with(name)
的方法),而是希望得到所有标记有多个标记的作业。
所以我在job.rb
模型中添加了一个方法,如下所示:
def self.tagged_with_tags(tags)
jobs = []
tags.each do |tag|
Jobtag.where(name: tag).first.jobs.map do |j|
jobs.push(j) unless jobs.include?(j)
puts j
end
end
jobs
end
这似乎有效,但我想进一步查询返回的数组:
@jobs = Job.tagged_with_tags(@tags).where(category: 'Full-Budget').order('created_at desc')
在这里我得到这个错误:
的 undefined method 'where' for #<Array:0x007fb1b0a25c10>
以下是我的模特:
job.rb
class Job < ActiveRecord::Base
has_many :taggings
has_many :jobtags, through: :taggings
def all_jobtags=(names)
self.jobtags = names.split(",").map do |name|
Jobtag.where(name: name.strip.downcase).first_or_create!
end
end
def all_jobtags
self.jobtags.map(&:name).join(", ")
end
def self.tagged_with(name)
Jobtag.find_by_name!(name.downcase).jobs
end
# Needs work:
def self.tagged_with_tags(tags)
jobs = []
tags.each do |tag|
Jobtag.where(name: tag).first.jobs.map do |j|
jobs.push(j) unless jobs.include?(j)
puts j
end
end
jobs
end
end
Jobtag.rb
class Jobtag < ActiveRecord::Base
has_many :taggings
has_many :jobs, through: :taggings
end
Tagging.rb
class Tagging < ActiveRecord::Base
belongs_to :job
belongs_to :jobtag
end
答案 0 :(得分:2)
您可以使用活动记录联接查询获得所需的结果。 迭代每个作业对象并将其推送到数组效率较低。
@tags = ['tag_name1', 'tag_name2']
这样的事情:
@jobs = Job.joins(:jobtags).where(jobtags: { name: @tags }).
where(category: 'Full-Budget').
order('created_at desc')
<强>更新强>
如果要获取包含@tags数组中列出的所有标记的作业,请检查同一查询中作业标记的计数。
@jobs = Job.joins(:jobtags).where(jobtags: { name: @tags }).
group('jobs.id').
having('count(jobs.id) = ?', @tags.size).
where(category: 'Full-Budget').
order('created_at desc')
希望它有所帮助!
答案 1 :(得分:1)
要使用.where
,您需要拥有ActiveRecord集合。
Job.joins(:job_tags).where("jobs_tags: { name: "name of tag or array of tag names").where(category: 'Full-Budget').order('created_at desc')