4

我正在使用设计进行我的应用程序身份验证。我有一个User模型,它是登录/注册模型。

该功能是这样一种方式,即当客户(即用户)注册时,他将被带去填写强制性的用户资料页面。使用设计一切正常。

现在我有了一个新功能,用户可以是不同的类型(比如说A, B, C

如果用户是 type A,那么他必须遵循相同的注册过程和相同的个人资料页面。

如果用户类型为B,则注册屏幕会有所不同,并等待管理员验证。类型也有不同的变化C

所有不同的类型都有不同的个人资料页面,并且字段也不同。

所以我决定建立一个多态关联,这就是我的模型的样子

class User < ActiveRecord::Base

  devise :database_authenticatable, :registerable,
         :recoverable, :rememberable, :trackable, :validatable

  attr_accessible :email, :password, :password_confirmation, :remember_me

  belongs_to :user_type, :polymorphic => true

end

class A
    has_one :user, :as => :user_type
end

class B
    has_one :user, :as => :user_type
end

class C
    has_one :user, :as => :user_type
end

我只是想知道这是处理这个场景的正确方法还是有更好的方法来实现这个?

4

2 回答 2

1

我以前也遇到过同样的事情

我强烈建议使用非多态的单独模型并与 mixins 共享通用功能。

我有你描述的相同设置,后来不得不重构它,因为随着项目的开发它变得非常臃肿和复杂

于 2012-10-01T08:12:57.913 回答
1

你想要 Rails 的神奇type专栏。

# user.rb
class User < ActiveRecord::Base
  # create_table 'users' do |t|
  #   t.string :name
  #   t.string :type
  # end
end

# user_a.rb
class UserA < User
end

# user_b.rb
class UserB < User
end

# user_c.rb
class UserC < User
end

UserA.create(name: "bricker")
user_a      = User.where(type: "UserA").first
same_user_a = UserA.all.first

user_a == same_user_a #=> true
user_a.class          #=> UserA
user_a.is_a? User     #=> true

更新

class UserLogin < ActiveRecord::Base
  # create_table :user_logins do |t|
  #   t.integer :user_id
  #   t.string  :user_type
  #   t.string  :login
  #   t.string  :encrypted_password
  # end

  # devise ...
  belongs_to :user, polymorphic: true
end

class User < ActiveRecord::Base
  self.abstract_class = true
  has_one :user_login, as: :user
end

class Admin < User
  # create_table :admins do |t|
  #   t.integer :user_login_id
  #   t.string  :admin_name
  # end
end

class Moderator < User
  # create_table :moderators do |t|
  #   t.integer :user_login_id
  #   t.string  :moderator_name
  # end
end
于 2012-10-01T08:30:08.830 回答