如何在Python中获取给定类的成员列表?

时间:2013-11-29 03:07:30

标签: python

这是我想要的:

class Foo:

    def __init__(self, test1, test2, test3):
     self.test1=test1
     self.test2=test2
     self.test3=test3

有没有办法获取成员变量名列表?

类似于dir()函数,但不是这样:

dir(Foo)
['__doc__', '__init__', '__module__']

你会:

something(Foo)
['test1', 'test2', 'test3']

2 个答案:

答案 0 :(得分:4)

您要定义实例变量,而不是类变量。要获取实例变量,您必须实例化它:

>>> f = Foo(1, 2, 3)
>>> dir(f)
['__class__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__init__', '__le__', '__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'test1', 'test2', 'test3']

在那里,你拥有所有的属性。

但如果您只想要声明的属性,请使用f.__dict__

>>> f.__dict__
{'test3': 3, 'test2': 2, 'test1': 1}

或者,使用vars(f)

但是如果你想得到类变量,只需要引用类本身:

>>> class Foo:
    abcd = 10
    def __init__(self, test1, test2, test3):
       self.test1=test1
       self.test2=test2
       self.test3=test3

>>> vars(Foo)
mappingproxy({'abcd': 10, '__dict__': <attribute '__dict__' of 'Foo' objects>, '__doc__': None, '__module__': '__main__', '__init__': <function Foo.__init__ at 0x00000000032290D0>, '__weakref__': <attribute '__weakref__' of 'Foo' objects>})
>>> dir(Foo)
['__class__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__gt__', '__hash__', '__init__', '__le__', '__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'abcd']

希望这有帮助!

答案 1 :(得分:1)

存储实例的一般方法是使用类变量。但我不确定这是不是你想要的:

class Foo:
    names = {}

    def __init__(self, name):
        self.name = name
        Foo.names[name] = self

f1, f2, f3 = Foo('name1'), Foo('name2'), Foo('name3')
print Foo.names