在我的大多数应用程序中,我都有一个current_user
方法。为了避免在current_user.name
where current_user
is等情况下出现异常nil
,rails 提供了该try
方法。这样做的问题是我需要记住在try
任何地方current_user
都可以使用nil
.
我想使用 Null Object 模式来消除这种额外的开销。
class NullUser
def method_missing(method_name, *args)
nil
end
end
def current_user
return NullUser.new unless UserSession.find
@current_user ||= UserSession.find.user
end
try
这在某些情况下可以替代:
current_user.try(:first_name) #=> nil
current_user.first_name #=> nil
但进一步链接失败:
current_user.profiles.first.name #=> undefined method...
我试图返回空对象:
class NullUser
def method_missing(method_name, *args)
self.class.new
end
end
current_user.try { |u| u.profiles.first.name } #=> nil
current_user.profiles.first.name #=> nil
但这在其他情况下会失败:
current_user.is_admin? #=> #<NullUser:0x96f4e98>
这个问题有没有可能的解决方案,还是我们都必须忍受try
?