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
|
"""
These are internal helpers. Do not rely on their presence.
http://mail.python.org/pipermail/python-dev/2008-January/076194.html
"""
def monkeypatch_method(cls):
"""
A decorator to add a single method to an existing class::
@monkeypatch_method(<someclass>)
def <newmethod>(self, [...]):
pass
"""
def decorator(func):
setattr(cls, func.__name__, func)
return func
return decorator
def monkeypatch_property(cls):
"""
A decorator to add a single method as a property to an existing class::
@monkeypatch_property(<someclass>)
def <newmethod>(self, [...]):
pass
"""
def decorator(func):
setattr(cls, func.__name__, property(func))
return func
return decorator
def monkeypatch_class(name, bases, namespace):
"""
A metaclass to add a number of methods (or other attributes) to an
existing class, using a convenient class notation::
class <newclass>(<someclass>):
__metaclass__ = monkeypatch_class
def <method1>(...): ...
def <method2>(...): ...
...
"""
assert len(bases) == 1, "Exactly one base class required"
base = bases[0]
for name, value in namespace.iteritems():
if name != "__metaclass__":
setattr(base, name, value)
return base
|