8

我正在使用 rails 3.0.9 并设计用于身份验证。现在我尝试使用单表继承,因为我需要使用多态性,所以我有两个类:UserType1 和 UserType2,它们继承自 User 类。我需要根据用户类型正确地设计实例 current_user 。

例如,

class User < ActiveRecord::Base
 #devise and other user logic 
end

class UserType1 < User
  def get_some_attribute
     return "Hello, my type is UserType1"
  end
end

class UserType2 < User
  def get_some_attribute
   return "Hello, my type is UserType2"
  end
end

In controller 

class MyController < ApplicationController
  def action
    @message = current_user.get_some_attribute #depending the type using polymorphism
    render :my_view
  end
end
4

2 回答 2

5

这正是您所需要的:http: //blog.jeffsaracco.com/ruby-on-rails-polymorphic-user-model-with-devise-authentication

您需要覆盖应用程序控制器中的登录路径方法,希望对您有所帮助。

于 2013-03-12T11:12:40.520 回答
1

您需要在模型中添加get_some_attribute方法User

Module User < ActiveRecord::Base

   #devise and other user logic 

   def get_some_attribute
      #You can put shared logic between the two users type here
   end

end

然后,在用户子类型中覆盖它,如下所示:

Module UserType1 < User

   def get_some_attribute
      super
      return "Hello, my type is UserType1"
   end

end

Module UserType2 < User

   def get_some_attribute
      super
      return "Hello, my type is UserType2"
   end

end

然后,current_user.get_some_attribute将按您的预期工作,如果您想阅读更多关于 Ruby 中覆盖方法的信息,您可以在此处阅读

我添加了super,因为我假设您在 中具有一些共享逻辑get_some_attribute,因为它将get_some_attribute在 User 模型中调用,如果您不需要它可以将其删除。

祝你好运!

于 2013-03-17T10:52:14.980 回答