以下是我的ActiveRecord模型,包含Rails 3.2:
class User < ActiveRecord::Base
has_one :criterion
has_many :user_offer_choices
end
class Offer < ActiveRecord::Base
has_many :user_offer_choices
def seen
user_offer_choices.where(seen: true)
end
def accepted
user_offer_choices.where(accepted: true)
end
end
class Criterion < ActiveRecord::Base
belongs_to :user
end
class UserOfferChoice < ActiveRecord::Base
belongs_to :user
belongs_to :offer
end
我希望获得看到优惠的用户的所有标准。类似的东西:
Offer.find(11).seen.users.criterions
但我不知道如何使用ActiveRecord
我知道我可以这样做:
Criterion.joins(user: { user_offer_choices: :offer }).where(user: { user_offer_choices: {accepted: true, offer_id: 11} } )
但我希望能够在优惠上使用我的范围(看到和接受)。那我怎么能这样做呢?
编辑: 我找到了我要找的东西,Arel的合并方法:http://benhoskin.gs/2012/07/04/arel-merge-a-hidden-gem
答案 0 :(得分:3)
首先,您真正想要的是为您的选择定义范围。
class UserOfferChoice < ActiveRecord::Base
belongs_to :user
belongs_to :offer
scope :seen, where(seen: true)
scope :accepted, where(accepted: true)
end
允许你这样做
Offer.find(11).user_offer_choices.seen
并获得标准:
Offer.find(1).user_offer_choices.seen.map{|choice| choice.user}.map{|user| user.criterion}
现在,可以通过Offer类中的多个来清理它。
class Offer < ActiveRecord::Base
has_many :user_offer_choices
has_many :users, :through => :user_offer_choices
end
但这会让我们看到用户,但会跳过范围。
Offer.find(1).users
现在,你可以用Rails 3作用域做一些技巧,你无法用Rails 2.3.5 named_scopes做。 named_scopes将哈希作为参数但返回了一个关系。 Rails 3作用域采用关系,如查询方法,如where。因此,您可以使用选择类中定义的范围在用户中定义范围。
class User < ActiveRecord::Base
has_one :criterion
has_many :user_offer_choices
has_many :offers, :through => :user_offer_choices
scope :seen, UserOfferChoice.seen
scope :accepted, UserOfferChoice.accepted
end
这允许我们这样做:
Offer.find(1).users.seen
地图现在看起来像这样:
Offer.find(1).users.seen.map{|user| user.criterion}
BTW,标准的复数是标准。当我读到它时听到我头脑中的标准,疼。你可以这样做让Rails知道复数:
config/initializers/inflections.rb
ActiveSupport::Inflector.inflections do |inflect|
inflect.plural /^criterion$/i, 'criteria'
end