在我的侧边栏中,我会显示新创建的用户个人资料。个人资料belongs_to
用户和用户has_one_profile
。我意识到我只使用配置文件表中的3列,所以最好使用pluck。部分中我也有一个link_to user_path(profile.user)
,所以我必须告诉用户是谁。目前我使用includes
,但我不需要整个用户表。因此,我使用了用户和配置文件表中的许多列。
如何通过采摘优化此功能?我尝试了几个版本,但总是遇到一些错误(大部分时间都没有定义profile.user)。
我目前的代码:
def set_sidebar_users
@profiles_sidebar = Profile.order(created_at: :desc).includes(:user).limit(3) if user_signed_in?
end
create_table "profiles", force: :cascade do |t|
t.integer "user_id", null: false
t.string "first_name", null: false
t.string "last_name", null: false
t.string "company", null: false
t.string "job_title", null: false
t.string "phone_number"
t.text "description"
t.datetime "created_at"
t.datetime "updated_at"
t.string "avatar"
t.string "location"
end
答案 0 :(得分:6)
好的,让我们解释三种不同的方式来完成你想要的东西。
首先,includes
和joins
存在差异
包括只是急切加载与所有指定的关联列的关联。它不允许您从两个表中查询或选择多个列。它是joins
做的。它允许您查询两个表并选择您选择的列。
def set_sidebar_users
@profiles_sidebar = Profile.select("profiles.first_name,profiles.last_name,profiles.id,users.email as user_email,user_id").joins(:user).order("profile.created_at desc").limit(3) if user_signed_in?
end
它会返回Profiles
关系,其中包含您在select
子句中提供的所有列。您可以像对配置文件对象e-g
@profiles_sidebar.first.user_email
会为您提供此个人资料的用户电子邮件。
如果您想要查询多个表或想从两个表中选择多个列,这种方法最好。
2.Pluck
def set_sidebar_users
@profiles_sidebar = Profile.order(created_at: :desc).includes(:user).limit(3).pluck("users.email,profiles.first_name") if user_signed_in?
end
Pluck仅用于从多个关联中获取列,但它不允许您使用ActiveRecord
的强大功能。它只是以相同的顺序返回所选列的数组。
就像在第一个例子中一样,你可以使用@profiles_sidebar.first.user
来获取配置文件对象的用户但是你可以使用pluck,因为它只是一个普通的数组。这就是为什么大多数解决方案都会引发错误profile.user is not defined
现在这是选项三。在第一个解决方案中,您可以在两个表上获得多个列并使用ActiveRecord
的强大功能,但它并不急于加载关联。因此,如果您循环查看返回结果(例如@profiles_sidebar.map(&:user)
因此,如果您想使用includes
但想要使用所选列,那么您应该与所选列建立新关联并调用该关联。
例如
在profile.rb
belongs_to :user_with_selected_column,select: "users.email,users.id"
现在您可以将其包含在上面的代码中
def set_sidebar_users
@profiles_sidebar = Profile.order(created_at: :desc).includes(:user_with_selected_column).limit(3) if user_signed_in?
end
现在这将急切加载用户,但只会选择用户的电子邮件和ID。 更多信息可以在上找到 ActiveRecord includes. Specify included columns
<强>更新强>
当你询问有关采摘的优点时,请让我们解释一下。
如您所知pluck
返回普通数组。因此它不会实例化ActiveRecord对象,它只返回从数据库返回的数据。
因此,最好在您不需要ActiveRecord对象的地方使用,但只是以表格形式显示返回的数据。
选择返回关系,以便您可以在其上进一步查询或在其实例上调用模型方法。
因此,如果我们总结一下,我们可以说
选择模型值,选择模型对象
可以在http://gavinmiller.io/2013/getting-to-know-pluck-and-select/
找到更多信息