循环遍历python中类的所有成员变量

时间:2009-09-09 07:15:42

标签: python

如何获得可迭代类中所有变量的列表?有点像locals(),但对于一个类

class Example(object):
    bool143 = True
    bool2 = True
    blah = False
    foo = True
    foobar2000 = False

    def as_list(self)
       ret = []
       for field in XXX:
           if getattr(self, field):
               ret.append(field)
       return ",".join(ret)

这应该返回

>>> e = Example()
>>> e.as_list()
bool143, bool2, foo

8 个答案:

答案 0 :(得分:119)

dir(obj)

为您提供对象的所有属性。 您需要自己从方法等过滤出成员:

class Example(object):
    bool143 = True
    bool2 = True
    blah = False
    foo = True
    foobar2000 = False

example = Example()
members = [attr for attr in dir(example) if not callable(getattr(example, attr)) and not attr.startswith("__")]
print members   

会给你:

['blah', 'bool143', 'bool2', 'foo', 'foobar2000']

答案 1 :(得分:92)

如果只想变量(不带函数),请使用:

vars(your_object)

答案 2 :(得分:26)

@truppo:你的答案几乎是正确的,但是因为你只是传入一个字符串,所以callable总是会返回false。您需要以下内容:

[attr for attr in dir(obj()) if not callable(getattr(obj(),attr)) and not attr.startswith("__")]

将过滤掉函数

答案 3 :(得分:5)

>>> a = Example()
>>> dir(a)
['__class__', '__delattr__', '__doc__', '__format__', '__getattribute__', '__hash__',
'__init__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__',
'__sizeof__', '__str__', '__subclasshook__', 'bool143', 'bool2', 'blah',
'foo', 'foobar2000', 'as_list']

- 如你所见,它为你提供了所有属性,所以你必须过滤掉一点。但基本上,dir()就是你要找的东西。

答案 4 :(得分:0)

row2dict = lambda r: {c.name: str(getattr(r, c.name)) for c in r.__table__.columns} if r else {}

使用它。

答案 5 :(得分:0)

类似于vars(),可以使用以下代码列出所有类属性。它等价于 vars(example).keys()

example.__dict__.keys()

答案 6 :(得分:-1)

执行此操作的简单方法是将所有类实例保存在list

a = Example()
b = Example()
all_examples = [ a, b ]

物体不会自然地存在。程序的某些部分是出于某种原因创建的。创作是有原因的。将它们收集在列表中也是有原因的。

如果您使用工厂,则可以执行此操作。

class ExampleFactory( object ):
    def __init__( self ):
        self.all_examples= []
    def __call__( self, *args, **kw ):
        e = Example( *args, **kw )
        self.all_examples.append( e )
        return e
    def all( self ):
        return all_examples

makeExample= ExampleFactory()
a = makeExample()
b = makeExample()
for i in makeExample.all():
    print i

答案 7 :(得分:-1)

    class Employee:
    '''
    This class creates class employee with three attributes 
    and one function or method
    '''

    def __init__(self, first, last, salary):
        self.first = first
        self.last = last
        self.salary = salary

    def fullname(self):
        fullname=self.first + ' ' + self.last
        return fullname

emp1 = Employee('Abhijeet', 'Pandey', 20000)
emp2 = Employee('John', 'Smith', 50000)

print('To get attributes of an instance', set(dir(emp1))-set(dir(Employee))) # you can now loop over