我正在使用 Ruby on Rails 3.2.2,我想知道当必须检查用户是否具有“读取”记录“列表”中存在的记录的适当授权时,什么是常用方法。也就是说,此时我有以下内容:
class Article < ActiveRecord::Base
def readable_by_user?(user)
# Implementation of multiple authorization checks that are not easy to
# translate into an SQL query (at database level, it executes a bunch of
# "separate" / "different" SQL queries).
... # return 'true' or 'false'
end
end
通过使用上面的代码,我可以对单个文章对象执行授权检查:
@article.readable_by_user?(@current_user)
但是,当我想index
通过准确检索 10 个对象来制作(通常在我的控制器操作中)类似以下内容时
Article.readable_by_user(@current_user).search(...).paginate(..., :per_page => 10)
我仍然必须对每个对象执行授权检查。那么,我可以做些什么来以“智能”/“高性能”的方式Article
对记录的“列表”(对象数组)执行授权检查?也就是说,例如,我是否应该加载(可能通过创建的数据对它们进行排序,将 SQL 查询限制为 10 条记录,......)然后迭代每个对象以执行授权检查?还是我应该做一些不同的事情(也许使用一些 SQL 查询技巧、一些 Ruby on Rails 工具或其他东西)?Article.all
@Matzi 回答后更新
我试图“手动”检索用户可读的文章,例如使用以下find_each
方法:
# Note: This method is intended to be used as a "scope" method
#
# Article.readable_by_user(@current_user).search(...).paginate(..., :per_page => 10)
#
def self.readable_by_user(user, n = 10)
readable_article_ids = []
Article.find_each(:batch_size => 1000) do |article|
readable_article_ids << article.id if article.readable_by_user?(user)
# Breaks the block when 10 articles have passed the readable authorization
# check.
break if readable_article_ids.size == n
end
where("articles.id IN (?)", readable_article_ids)
end
这时候,上面的代码是我能想到的最“性能折中”了,即使它有一些陷阱:它将检索到的对象的数量“限制”在给定id
s 的给定记录数量(默认为 10 条记录)在上面的例子中);实际上,它“真的”不会检索用户可读的所有对象,因为当您尝试进一步确定使用范围方法的相关ActiveRecord::Relation
“where”/“with which”readable_by_user
时(例如,当您还搜索文章时title
添加进一步的 SQL 查询子句),它会将记录限制为那些where("articles.id IN (?)", readable_article_ids)
(即,它“限制”/“限制”由用户搜索时将被忽略title
)。为了使该readable_by_user
方法与其他范围方法一起正常工作,解决该问题的方法可能是不 break
阻止以加载所有可读文章,但是当有很多记录时,出于性能原因(也许,另一种解决方案可能是将id
用户可读的所有文章存储在某处,但我认为这不是解决问题的常见/简单解决方案)。
那么,有一些方法可以以一种高效且“真正”正确的方式完成我想做的事情(也许,通过改变上述方法)?