我正在尝试构建一个具有不同类型用户的应用程序,我正在使用authlogic进行用户身份验证。
所以我有一个用户模型,其中包含authlogic所需的字段以实现其魔力。我现在想要添加几个不同的模型来描述不同类型用户的额外字段。
让我们说用户注册,然后他会选择他的用户类型,当他完成注册后,他就可以添加特定于他的用户模型的信息。
最好的方法是什么?我目前正在研究多态模型,但我不确定这是最好的选择。非常感谢任何帮助,谢谢。
答案 0 :(得分:6)
您可以创建不同的profile
表,只需将配置文件绑定到用户即可。因此,对于每种用户类型,您可以创建一个表并在其中存储特定信息,并使用user_id
列指向users
。
class User < ActiveRecord::Base
has_one :type_1
has_one :type_2
end
class Type1 < ActiveRecord::Base
belongs_to :user
end
class Type2 < ActiveRecord::Base
belongs_to :user
end
现在这不是很干,如果你经常添加用户类型,可能会导致问题。所以你可以研究多态性。
对于多态性,users
表将定义用户的类型(profileable_id
和profileable_type
)。所以像这样:
class User < ActiveRecord::Base
belongs_to :profileable, :polymorphic => true
end
class Type1 < ActiveRecord::Base
has_one :user, :as => :profileable
end
class Type2 < ActiveRecord::Base
has_one :user, :as => :profileable
end
然后,对于用户类型,存在第三个STI选项(单表继承)。但如果用户类型字段显着不同,则无法很好地扩展。
答案 1 :(得分:0)