如何覆盖轨道中的attr_accessor吸气剂和<<?



我正试图将Redis集成到Rails应用程序中,以取代"has_many through"关系。我想无缝地做到这一点,这样我们就不必在整个应用程序中更改代码。我的想法是覆盖某些类属性的不同方法(例如Speaker类的followers属性),以便在使用它们时能够创建自定义行为:以下是我想了解的行为:

s = Speaker.new
s.followers # calls custom getter and returns [User1, User2]
s.followers << User.create
s.followers # calls custom getter and returns [User1, User2, User3]

以下是我的想法,灵感来自Override instance variable array';Ruby 中的s运算符

class Speaker < ActiveRecord::Base  
  attr_accessor :followers
  def initialize
    super
    @followers = []
    class << @followers
      def <<(u)
        puts "setter #{u.id}" 
        $redis.set "speaker#{self.id}followers", u.id
        super(u.id)
      end
    end
  end
  def followers
    puts "getter"
    user_ids = $redis.get "speaker#{self.id}followers"
    User.find_all user_ids
  end
end

问题是追随者getter的实现覆盖了"def<<(val)"的实现

如果getter"def followers"没有定义:

s.followers
# []
s.followers << User.create 
# "setter 1"
# [1]
s.followers
# [1]
s.followers << User.create 
# "setter 2"
# [1, 2]
s.followers
# [1, 2]

如果getter"def attenders"已定义:

s.followers << User.create
# ["My", "Custom", "Array", User1]
s.followers
# ["My", "Custom", "Array"]
s.followers << User.create
# ["My", "Custom", "Array", User2]
s.followers
# ["My", "Custom", "Array"]

我如何才能让getter和setter"<<"一起工作?

这里的问题是getter返回了一个新数组。您修改了@followers数组的singleton类,但它没有在getter:中使用

def followers
  puts 'getter'
  ['a','new','array']
end

如果您想要一个自定义的getter,那么您需要确保getter返回@followers(不更改底层引用),或者您需要重新装饰数组。

然而,AlexWayne建议的是正确的方法。返回一个处理redis详细信息的代理对象:

class FollowersList < SimpleDelegator
  def initialize(assoc)
    @assoc = assoc
    super(_followers)
  end
  def _reload
    __setobj__ _followers
    self
  end
  def _followers
    user_ids = $redis.get key
    User.find_all user_ids
  end
  def _key
    "speaker#{@assoc.id}followers"
  end
  # implement your overrides. The _reload method is to force the list to sync
  # with redis again, there are other ways to do this that wouldn't do the query
  # again
  def <<(val)
    $redis.lpush key, val.id
    _reload
  end
  #etc
end
def followers<<(val)

这行不通。原因是:

foo.followers << "abc"
# is actually 2 methods!
foo.followers().<<("abc")

因此#followers需要返回一个类的对象,该类具有一个重写的#<<方法。


就像rails关联返回关联代理对象一样。

# Book has_many Pages
book.pages # an assoc proxy
book.pages << Page.new # calls #<< on the assoc proxy

Book#pages<<不存在。Book#pages返回ActiveRecord::HasManyAssociationProxy(或类似的东西)的一个实例,然后实现#<<实例方法。

相关内容

  • 没有找到相关文章

最新更新