这是我之前遇到的一个问题的更新问题。我正在为当地的狗狗收养创建一个"match.com"风格的应用程序,用户和狗狗都有自己的个人资料。在每个配置文件中,都有布尔字段。我试图只向最终用户显示与他们的用户配置文件匹配的狗。然而,简单的一对一匹配不起作用,因为逻辑会根据用户的布尔值而变化。例如,如果一个用户有孩子(user.kids_under_10:true(,那么我只需将其与一只可以与孩子一起放置的狗匹配(dog.kids_under_10:true(
class Dog < ActiveRecord::Base
def self.by_profile(user)
if user.kids_under_10 == true
Dog.where(kids_under_10: user.kids_under_10)
end
end
然而,如果用户没有孩子,则可以显示对该问题回答正确和错误的狗,因为and不适合孩子的狗可以与该用户一起放置。我意识到,如果这是匹配的唯一标准,我可以简单地在上面的方法中添加一个else, Dog.all
语句。然而,由于还有其他布尔字段要匹配(即user.has_cats和dog.cat_friendly(,因此此解决方案将不起作用。我想我需要一个包含数组的变量,但不是很确定。。。任何建议。
尝试使用类似的东西:
class Dog < ActiveRecord::Base
def self.by_profile(user)
dogs = scoped
dogs = dogs.where(kids_under_10: true) if user.kids_under_10
dogs = dogs.where(cat_friendly: true) if user.own_cats
# other conditions
dogs
end
end
基本上,scoped
方法为您提供了一个空关系。然后,您可以使用它来有条件地添加where
语句(或AR支持的任何其他语句(。
所以我找到了一个解决方案,但我不确定它是最有效的解决方案,所以任何建议都非常受欢迎(我是编程新手,希望学习处理不同情况的"最佳"方法(。以下是我解决问题的方法:
class Dog < ActiveRecord::Base
def self.by_profile(user)
if user.kids_under_10?
kids_under_10 = true
else
kids_under_10 = [true, false]
end
Dog.where(kids_under_10: kids_under_10)
end
end
我可以预见,随着我添加更多的参数,这个解决方案会变得有点麻烦。条件语句可能会很长。谢谢你的建议!
def self.by_profile(user)
user.kids_under_10 ? Dog.where(kids_under_10: true) : Dog.all
end
不是很优雅,但应该可以。