Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Rails includes with scope

I have a model called Author. An author has many Articles. Articles have a scope called .published that does: where(published: true).

I want to load the author, with the published articles. I tried:

Author.includes(:articles.published).find(params[:author_id]) 

But that throws an error: undefined method 'published'. Any idea?

like image 809
gkpo Avatar asked Oct 02 '14 11:10

gkpo


2 Answers

I think the best solution would be:

Author.includes(:articles).where(:articles=>{published: true}).find(params[:author_id]) 

Or you can create scope:

class Author < ActiveRecord::Base      scope :with_published_articles, -> { includes(:articles).where(articles: { published: true}) } end 

and then:

Author.with_published_articles.find(params[:author_id].to_s) 
like image 179
NikCasper Avatar answered Oct 07 '22 18:10

NikCasper


I would specify a scope on the Author called with_published_articles like this:

scope :with_published_articles, -> { joins(:articles).merge(Article.published) } 

This will resolve your problem to also specify the where(active: true) on your Author model in case the published behaviour of and Article will change in the future.

So now you can call:

Author.with_published_articles.find(params[:author_id]) 
like image 23
Manuel van Rijn Avatar answered Oct 07 '22 19:10

Manuel van Rijn