当前位置 : 主页 > 编程语言 > ruby >

ruby – 在initialize方法之后运行方法

来源:互联网 收集:自由互联 发布时间:2021-06-23
我想编写一些在调用initialize方法后运行的 ruby代码.此代码可以在类或模块中.我怎么写这个? 这是我想要的一个例子: class Base def after_init puts "after init" endclass A Base # Option 1, use a class
我想编写一些在调用initialize方法后运行的 ruby代码.此代码可以在类或模块中.我怎么写这个?

这是我想要的一个例子:

class Base
  def after_init
    puts "after init"
  end

class A < Base # Option 1, use a class
end

class B < Base
  def initialize
    puts "in init"
  end
end

module MyMod
  def after_init
    puts "after init"
  end
end

class C
  include Module
end

$> A.new
=> "after init"
$> B.new
=> "in init"
=> "after init"
$> C.new
=> "after init"

我绝对不想做的是明确调用super.有没有办法做到这一点?我不在乎它是否使用了很多Ruby的反射能力.谢谢!

class Base
  def after_init
    puts "Base#after_init"
  end

  def self.inherited(klass)
    class << klass
      alias_method :__new, :new
      def new(*args)
        e = __new(*args)
        e.after_init
        e
      end
    end
  end
end

module MyMod
  def after_init
    puts "MyMod#after_init"
  end
  def self.included(klass)
    class << klass
      alias_method :__new, :new
      def new(*args)
        e = __new(*args)
        e.after_init
        e
      end
    end
  end
end

class A < Base
end

class B < Base
  def initialize
    puts "B#initialize"
  end
end

class C
  include MyMod
  def initialize
    puts "C#initialize"
  end
end

A.new
B.new
C.new
网友评论