2

我有几个模型有共同的担忧。每个模型都传入一个哈希,这是为了处理它们使用关注点的方式上的微小差异。我通过一个类方法传递哈希,如下所示:

add_update_to :group, :user

关注的完整代码是:

module Updateable
  extend ActiveSupport::Concern

  attr_accessor :streams

  module ClassMethods
    def add_updates_to(*streams)
      @streams = streams
    end
  end

  module InstanceMethods
    def update_streams
      @streams.collect{|stream| self.public_send(stream)}
    end
  end

  included do
    has_one :update, :as => :updatable

    after_create :create_update_and_history
  end

  private
    def create_update_and_history
      update = self.create_update(:user_id => User.current.id)
      self.update_streams.each do |stream|
        stream.histories.create(:update_id => update.id)
      end
    end
end

大部分代码都有效,但我无法将哈希从类传递到实例。目前,我试图通过创建一个虚拟属性,将哈希传递给属性,然后在实例中检索它来实现这种效果。这不仅感觉很hacky,而且不起作用。我假设它不起作用,因为它@streams是一个实例变量,所以类方法add_update_to实际上不能设置它?

无论如何,有没有更好的方法来解决这个问题?

4

1 回答 1

4

您可能可以在这里使用类变量,但是由于它们不可预测的性质,它们在 Ruby 社区中受到了相当的谴责。要记住的是,Ruby 中的类实际上也是类的实例,并且可以拥有自己的实例变量,这些变量只能由它们自己访问,而不能由它们的实例访问(如果这很清楚的话)。

在这种情况下,您定义的是行为,而不是数据,所以我认为实例变量和类变量都不合适。相反,我认为最好的办法是直接在类方法中定义实例方法,如下所示:

module Updateable
  extend ActiveSupport::Concern

  module ClassMethods
    def add_updates_to(*streams)
      define_method :update_streams do
        streams.collect {|stream| public_send(stream) }
      end
    end
  end
end

顺便说一句,这里没有涉及哈希,所以我不确定你指的是什么。*streams将您的参数收集到一个数组中。

于 2013-03-21T02:42:19.043 回答