我有一個函數將另一個函數作爲參數。如果該函數是一個類的成員,我需要找到該類的名稱。例如。在Python中,如何獲取成員函數類的名稱?
def analyser(testFunc):
print testFunc.__name__, 'belongs to the class, ...
我想
testFunc.__class__
將解決我的問題,但只是告訴我,testFunc是一個函數。
我有一個函數將另一個函數作爲參數。如果該函數是一個類的成員,我需要找到該類的名稱。例如。在Python中,如何獲取成員函數類的名稱?
def analyser(testFunc):
print testFunc.__name__, 'belongs to the class, ...
我想
testFunc.__class__
將解決我的問題,但只是告訴我,testFunc是一個函數。
testFunc.im_class
https://docs.python.org/reference/datamodel.html#the-standard-type-hierarchy
im_class
is the class ofim_self
for bound methods or the class that asked for the method for unbound methods
我不是Python專家,但是這樣做的工作?
testFunc.__self__.__class__
這似乎爲綁定方法工作,但在你的情況,你可以使用未綁定方法,在這種情況下,這可能會更好地工作:
testFunc.__objclass__
這是我所使用的測試:
Python 2.5.2 (r252:60911, Jul 31 2008, 17:31:22)
[GCC 4.2.3 (Ubuntu 4.2.3-2ubuntu7)] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> import hashlib
>>> hd = hashlib.md5().hexdigest
>>> hd
<built-in method hexdigest of _hashlib.HASH object at 0x7f9492d96960>
>>> hd.__self__.__class__
<type '_hashlib.HASH'>
>>> hd2 = hd.__self__.__class__.hexdigest
>>> hd2
<method 'hexdigest' of '_hashlib.HASH' objects>
>>> hd2.__objclass__
<type '_hashlib.HASH'>
哦,是的,還有一件事:
>>> hd.im_class
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'builtin_function_or_method' object has no attribute 'im_class'
>>> hd2.im_class
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'method_descriptor' object has no attribute 'im_class'
所以如果你想要一些防彈的東西,它應該處理__objclass__
和__self__
。但你的里程可能會有所不同
實例方法將有屬性.im_class .im_func .im_self
http://docs.python.org/library/inspect.html#types-and-members
你可能想看看功能hasattr .im_class,並獲得從那裏獲得班級信息。
從python 3.3開始,.im_class
不見了。您可以改用.__qualname__
。下面是相應的PEP:https://www.python.org/dev/peps/pep-3155/
class C:
def f(): pass
class D:
def g(): pass
print(C.__qualname__) # 'C'
print(C.f.__qualname__) # 'C.f'
print(C.D.__qualname__) #'C.D'
print(C.D.g.__qualname__) #'C.D.g'
不,給你的留言:「AttributeError的:‘功能’對象有沒有屬性‘__self__’」。 – 2008-11-20 16:39:31
嘗試__objclass__屬性並查看是否有效。如果是這樣,那麼你的功能是解除綁定的。 – 2008-11-20 16:43:48