gpt4 book ai didi

Python:如何将类方法修改为其他类方法

转载 作者:太空宇宙 更新时间:2023-11-04 05:33:19 25 4
gpt4 key购买 nike

我有以下代码:

class A:
def __init__(self):
self.a = "This is mine, "

def testfunc(self, arg1):
print self.a + arg1

class B:
def __init__(self):
self.b = "I didn't think so"
self.oldtestfunc = A.testfunc
A.testfunc = self.testfuncPatch

def testfuncPatch(self, arg):
newarg = arg + self.b # B instance 'self'
self.oldtestfunc(self, newarg) # A instance 'self'

instA = A()
instB = B()
instA.testfunc("keep away! ")

我想做以下事情:

某些类 A 由带参数的函数组成。我想把这个函数打补丁到 B 类中的一个函数做一些操作参数和访问 B 类的变量,我的问题是打补丁的函数实际上需要两个不同的“ self ”对象,即 A 类的实例和实例B类。

这可能吗?

最佳答案

问题是当你用一个已经绑定(bind)的方法覆盖一个类函数时,试图绑定(bind)到其他实例只是忽略第二个实例:

print(instA.testfunc)
#<bound method B.testfuncPatch of <__main__.B object at 0x1056ab6d8>>

所以该方法基本上被视为staticmethod,这意味着您必须将实例作为第一个参数来调用它:

instA.testfunc(instA,"keep away! ")

我第一次遇到这个问题是在尝试将 random.shuffle 直接导入到一个类中以使其成为一个方法时:

class List(list):
from random import shuffle #I was quite surprised when this didn't work at all

a = List([1,2,3])
print(a.shuffle)
#<bound method Random.shuffle of <random.Random object at 0x1020c8c18>>
a.shuffle()

Traceback (most recent call last):
File "/Users/Tadhg/Documents/codes/test.py", line 5, in <module>
a.shuffle()
TypeError: shuffle() missing 1 required positional argument: 'x'

为了解决这个问题,我创建了一个可以在第一个实例之上反弹到第二个实例的函数:

from types import MethodType

def rebinder(f):
if not isinstance(f,MethodType):
raise TypeError("rebinder was intended for rebinding methods")
def wrapper(*args,**kw):
return f(*args,**kw)
return wrapper

class List(list):
from random import shuffle
shuffle = rebinder(shuffle) #now it does work :D

a = List(range(10))
print(a.shuffle)
a.shuffle()
print(a)

#output:
<bound method rebinder.<locals>.wrapper of [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]>
[5, 6, 8, 2, 4, 1, 9, 3, 7, 0]

因此您可以轻松地将其应用到您的情况中:

from types import MethodType

def rebinder(f):
if not isinstance(f,MethodType):
raise TypeError("rebinder was intended for rebinding methods")
def wrapper(*args,**kw):
return f(*args,**kw)
return wrapper
...

class B:
def __init__(self):
self.b = "I didn't think so"
self.oldtestfunc = A.testfunc
A.testfunc = rebinder(self.testfuncPatch) #!! Edit here

def testfuncPatch(selfB, selfA, arg): #take the instance of B first then the instance of A
newarg = arg + selfB.b
self.oldtestfunc(selfA, newarg)

关于Python:如何将类方法修改为其他类方法,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36404588/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com