扩展python中的内置类

时间:2008-12-09 12:01:30

标签: python string monkeypatching

如何在python中扩展内置类? 我想在str类中添加一个方法 我已经做了一些搜索,但我发现的只是较旧的帖子,我希望有人知道更新的东西。

3 个答案:

答案 0 :(得分:26)

只是继承类型

>>> class X(str):
...     def my_method(self):
...         return int(self)
...
>>> s = X("Hi Mom")
>>> s.lower()
'hi mom'
>>> s.my_method()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "<stdin>", line 3, in my_method
ValueError: invalid literal for int() with base 10: 'Hi Mom'

>>> z = X("271828")
>>> z.lower()
'271828'
>>> z.my_method()
271828

答案 1 :(得分:11)

一种方法是使用“类重新打开”概念(本机存在于Ruby中),可以使用类装饰器在Python中实现。 此页面给出了一个例子: http://www.ianbicking.org/blog/2007/08/opening-python-classes.html

我引用:

我认为使用类装饰器可以做到这一点:

@extend(SomeClassThatAlreadyExists)
class SomeClassThatAlreadyExists:
    def some_method(self, blahblahblah):
        stuff

像这样实施:

def extend(class_to_extend):
    def decorator(extending_class):
        class_to_extend.__dict__.update(extending_class.__dict__)
        return class_to_extend
    return decorator

答案 2 :(得分:0)

假设您无法更改内置类。 模拟一个&#34;类重新开放&#34;就像Python3中的Ruby一样,__dict__是一个mappingproxy对象而不是dict对象:

def open(cls):
  def update(extension):
    for k,v in extension.__dict__.items():
      if k != '__dict__':
        setattr(cls,k,v)
    return cls
  return update


class A(object):
  def hello(self):
    print('Hello!')

A().hello()   #=> Hello!

#reopen class A
@open(A)
class A(object):
  def hello(self):
    print('New hello!')
  def bye(self):
    print('Bye bye')


A().hello()   #=> New hello!
A().bye()     #=> Bye bye

我还可以写一个装饰功能&#39; open&#39;以及:

def open(cls):
  def update(extension):
    namespace = dict(cls.__dict__)
    namespace.update(dict(extension.__dict__))
    return type(cls.__name__,cls.__bases__,namespace)
  return update