summaryrefslogtreecommitdiff
path: root/lib/delegate.rb
blob: 30b1a32c1242d96cb72239131311fd52ca3ffadf (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
#  Delegation class that delegates even methods defined in super class,
# which can not be covered with normal method_missing hack.
#  
#  Delegator is the abstract delegation class. Need to redefine
# `__getobj__' method in the subclass.  SimpleDelegator is the 
# concrete subclass for simple delegation.
#
# Usage:
#   foo = Object.new
#   foo = SimpleDelegator.new(foo)
#   foo.type # => Object

class Delegator

  def initialize(obj)
    preserved = ["id", "equal?", "__getobj__"]
    for t in self.type.ancestors
      preserved |= t.instance_methods
      break if t == Delegator
    end
    for method in obj.methods
      next if preserved.include? method
      eval "def self.#{method}(*args,&block); __getobj__.__send__(:#{method}, *args,&block); end"
    end
  end

  def __getobj__
    raise NotImplementError, "need to define `__getobj__'"
  end

end

class SimpleDelegator<Delegator

  def initialize(obj)
    super
    @obj = obj
  end

  def __getobj__
    @obj
  end

  def __setobj__(obj)
    @obj = obj
  end
end

# backword compatibility ^_^;;;
Delegater = Delegator
SimpleDelegater = SimpleDelegator

if __FILE__ == $0
  foo = Object.new
  foo = SimpleDelegator.new(foo)
  p foo.type # => Object
end