在Python对象中,如何查看已使用@property装饰器定义的属性列表?

时间:2011-05-03 21:39:44

标签: python python-2.6 python-2.7

我可以使用self.__dict__查看第一类成员变量,但我还想查看属性字典,如@property装饰器所定义。我怎么能这样做?

5 个答案:

答案 0 :(得分:16)

您可以在类中添加一个如下所示的函数:

def properties(self):
    class_items = self.__class__.__dict__.iteritems()
    return dict((k, getattr(self, k)) 
                for k, v in class_items 
                if isinstance(v, property))

这将查找类中的任何属性,然后创建一个字典,其中包含每个属性的条目以及当前实例的值。

答案 1 :(得分:4)

属性是类的一部分,而不是实例。因此,您需要查看self.__class__.__dict__或等效vars(type(self))

所以属性将是

[k for k, v in vars(type(self)).items() if isinstance(v, property)]

答案 2 :(得分:2)

对于对象f,这给出了属性成员列表:

[n for n in dir(f) if isinstance(getattr(f.__class__, n), property)]

答案 3 :(得分:0)

dir(obj)列出了obj的所有属性,包括方法和属性。

答案 4 :(得分:0)

正如 user2357112-supports-monica 在对 duplicate question 的评论中指出的那样,接受的答案仅获取直接在类上定义的那些属性,而缺少继承的属性。为了解决这个问题,我们还需要遍历父类:

from typing import List


def own_properties(cls: type) -> List[str]:
    return [
        key
        for key, value in cls.__dict__.items()
        if isinstance(value, property)
    ]

def properties(cls: type) -> List[str]:
    props = []
    for kls in cls.mro():
        props += own_properties(kls)
    
    return props

例如:

class GrandparentClass:
    @property
    def grandparent_prop(self):
        return "grandparent_prop"   


class ParentClass(GrandparentClass):
    @property
    def parent_prop(self):
        return "parent"


class ChildClass(ParentClass):
    @property
    def child_prop(self):
        return "child"


properties(ChildClass)  # ['child_prop', 'parent_prop', 'grandparent_prop']

如果您需要获取实例的属性,只需将 instance.__class__ 传递给 get_properties