编程语言
首页 > 编程语言> > 您将如何确定Python类的每个属性和方法的定义位置?

您将如何确定Python类的每个属性和方法的定义位置?

作者:互联网

给定Python中某个类的实例,能够确定每行源代码定义了每个方法和属性(例如实现1)将很有用.例如,给定一个模块ab.py

class A(object):
    z = 1
    q = 2
    def y(self): pass
    def x(self): pass

class B(A):
    q = 4
    def x(self): pass
    def w(self): pass

定义一个函数whither(class_,attribute),该函数返回一个元组,该元组包含源代码中定义或细分属性的文件名,类和行.这意味着班级中的定义,而不是由于过度的动态性而导致的最新任务.如果它为某些属性返回“未知”,那就很好.

>>> a = A()
>>> b = B()
>>> b.spigot = 'brass'
>>> whither(a, 'z')
("ab.py", <class 'a.A'>, [line] 2)
>>> whither(b,  'q')
("ab.py", <class 'a.B'>, 8)
>>> whither(b, 'x')
("ab.py", <class 'a.B'>, 9)
>>> whither(b, 'spigot')
("Attribute 'spigot' is a data attribute")

我想在对Plone进行内省时使用它,其中每个对象都有数百种方法,对按类而不是按字母顺序组织的方法进行排序将非常有用.

当然,在Python中您可能永远无法合理地了解,但是在大多数为静态代码的常见情况下,获得良好的答案将是很好的.

解决方法:

如果没有静态分析,这几乎是不可能的,即使那样,它也不会一直有效.您可以通过检查其代码对象来获得定义函数的位置以及文件所在的行,但是除此之外,您无能为力.检查模块可以帮助您.所以:

import ab
a = ab.A()
meth = a.x
# So, now we have the method.
func = meth.im_func
# And the function from the method.
code = func.func_code
# And the code from the function!
print code.co_firstlineno, code.co_filename

# Or:
import inspect
print inspect.getsource(meth), inspect.getfile(meth)

但是请考虑:

def some_method(self):
    pass
ab.A.some_method = some_method
ab.A.some_class_attribute = None

或更糟的是:

some_cls = ab.A
some_string_var = 'another_instance_attribute'
setattr(some_cls, some_string_var, None)

特别是在后一种情况下,您想要或期望得到什么?

标签:python-datamodel,introspection,python,plone
来源: https://codeday.me/bug/20191024/1921622.html