モデル化の方法がよくわからない状況に遭遇しました。
編集: 以下のコードは現在、実用的なソリューションを表しています。ただし、見栄えの良いソリューションにはまだ興味があります。
User クラスがあり、ユーザーが多くのサービスを持っているとします。ただし、これらのサービスは aMailService
と aBackupService
のようにかなり異なるため、単一のテーブル継承では機能しません。代わりに、抽象基本クラスと一緒にポリモーフィックな関連付けを使用することを考えています。
class User < ActiveRecord::Base
has_many :services
end
class Service < ActiveRecord::Base
validates_presence_of :user_id, :implementation_id, :implementation_type
validates_uniqueness_of :user_id, :scope => :implementation_type
belongs_to :user
belongs_to :implementation, :polymorphic => true, :dependent => :destroy
delegate :common_service_method, :name, :to => :implementation
end
#Base class for service implementations
class ServiceImplementation < ActiveRecord::Base
validates_presence_of :user_id, :on => :create
#Virtual attribute, allows us to create service implementations in one step
attr_accessor :user_id
has_one :service, :as => :implementation
after_create :create_service_record
#Tell Rails this class does not use a table.
def self.abstract_class?
true
end
#Name of the service.
def name
self.class.name
end
#Returns the user this service
#implementation belongs to.
def user
unless service.nil?
service.user
else #Service not yet created
@my_user ||= User.find(user_id) rescue nil
end
end
#Sets the user this
#implementation belongs to.
def user=(usr)
@my_user = usr
user_id = usr.id
end
protected
#Sets up a service object after object creation.
def create_service_record
service = Service.new(:user_id => user_id)
service.implementation = self
service.save!
end
end
class MailService < ServiceImplementation
#validations, etc...
def common_service_method
puts "MailService implementation of common service method"
end
end
#Example usage
MailService.create(..., :user => user)
BackupService.create(...., :user => user)
user.services.each do |s|
puts "#{user.name} is using #{s.name}"
end #Daniel is using MailService, Daniel is using BackupService
新しいサービスを作成するときに Service インスタンスを暗黙的に作成することに注意してください。
それで、これが最善の解決策ですか?それとも良いものですか?この種の問題をどのように解決しましたか?