0

我正在尝试通过关联来限制has_many,对于某些我想在使用时限制结果数量的实例.includes(:model)

这是我到目前为止所拥有的:

class Student < ActiveRecord::Base
    has_many :courses, :through => :students_courses
    has_many :sample_courses, :through => :students_courses, :limit => 3, :source => :course, :order => 'updated_at DESC'
end

class Course < ActiveRecord::Base
    has_many :students, :through => :students_courses
end

到目前为止,一切都很好。如果我启动 rails 控制台并加载学生,我可以访问示例课程并返回三个结果。但是,当我有查询并尝试includes时,在尝试打印课程名称的视图中,它会为学生加载所有课程,而不仅仅是三个。

# Query in controller
@students.where(...stuff..).includes(:sample_courses)

# In the view -
@students.each do |student| courses = student.sample_courses

最后一个courses变量返回与学生相关的所有课程,而不仅仅是三个示例课程。如果我在控制器中跳过includes并保持视图相同,那么它会正确查询示例课程。当然,您随后会运行我试图避免的 n 个查询。

那么我怎样才能急切地加载 3 门课程呢?

4

1 回答 1

2

:limit您使用急切加载关联时,会忽略,如 API 文档中所说:

如果您使用指定的 :limit 选项急切加载关联,它将被忽略,返回所有关联的对象,例如:

class Picture < ActiveRecord::Base
  has_many :most_recent_comments, :class_name => 'Comment', :order => 'id DESC', :limit => 10
end

Picture.includes(:most_recent_comments).first.most_recent_comments # => returns all associated comments.

如果你想加载 3 门课程,也许你可以使用这个:

courses = student.sample_courses.limit(3)
于 2012-11-14T08:04:37.223 回答