Procクラスを拡張して、そのコンストラクターが引数のハッシュを取得できるようにしたいのですが、メタプログラミングコンストラクトを使用してメソッドに変換されます。効果のあるもの:
p = Proc.new(this: 100, that: 200, yes: 1, no: 2) { |arg| arg.even? }
p.call(1) # => false
p.this # => 100
p.yes # => 1
このようなルビーのやり方を知りたいです。
Procクラスを拡張して、そのコンストラクターが引数のハッシュを取得できるようにしたいのですが、メタプログラミングコンストラクトを使用してメソッドに変換されます。効果のあるもの:
p = Proc.new(this: 100, that: 200, yes: 1, no: 2) { |arg| arg.even? }
p.call(1) # => false
p.this # => 100
p.yes # => 1
このようなルビーのやり方を知りたいです。
class Proc
def initialize h; @h = h end
def method_missing k; @h[k] end
def respond_to_missing?; true end
end
p = Proc.new(this: 100, that: 200, yes: 1, no: 2) { |arg| arg.even? }
p.call(1) # => false
p.this # => 100
p.yes # => 1
とを実装することで、独自のクラスをProcのように動作させることで、モンキーパッチを完全に回避できます(おそらくこの場合はそうすべきです)。たとえば、次のように開始できます。to_proc
call
OpenStruct
require 'ostruct'
class MyFunkyClass < OpenStruct
def initialize(h, &block)
@block = block
super
end
def to_proc
@block
end
def call(*args)
@block.call(*args)
end
end
f = MyFunkyClass.new(this: 100, that: 200, yes: 1, no: 2) { |arg| arg.even? }
f.that # => 200
f.call(42) # => true
[1,2,3,4].select(&f) # => [2, 4]
メタプログラミングなし:
require 'ostruct'
r = OpenStruct.new(this: 100, that: 200, yes: 1, no: 2)
def r.call(n)
n.even?
end
p r.this # 100
p r.call(1) # false
編集:@Marc-AndréLafortuneはOpenstructについて同じ考えを持っていました。彼の実装ははるかに優れています。