遍历python中的对象属性

新手上路,请多包涵

我有一个具有多个属性和方法的 python 对象。我想遍历对象属性。

 class my_python_obj(object):
    attr1='a'
    attr2='b'
    attr3='c'

    def method1(self, etc, etc):
        #Statements

我想生成一个包含所有对象属性及其当前值的字典,但我想以动态方式进行(因此,如果稍后我添加另一个属性,我也不必记得更新我的函数)。

在 php 中,变量可以用作键,但 python 中的对象是不可描述的,如果我为此使用点符号,它会创建一个新属性,名称为我的 var,这不是我的意图。

只是为了让事情更清楚:

 def to_dict(self):
    '''this is what I already have'''
    d={}
    d["attr1"]= self.attr1
    d["attr2"]= self.attr2
    d["attr3"]= self.attr3
    return d

·

 def to_dict(self):
    '''this is what I want to do'''
    d={}
    for v in my_python_obj.attributes:
        d[v] = self.v
    return d

更新:对于属性,我指的只是这个对象的变量,而不是方法。

原文由 Pablo Mescher 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 637
2 个回答

假设你有一个类,例如

>>> class Cls(object):
...     foo = 1
...     bar = 'hello'
...     def func(self):
...         return 'call me'
...
>>> obj = Cls()

在对象上调用 dir 会返回该对象的所有属性,包括 python 特殊属性。虽然有些对象属性是可调用的,比如方法。

 >>> dir(obj)
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattribute__', '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'bar', 'foo', 'func']

您始终可以使用列表理解来过滤掉特殊方法。

 >>> [a for a in dir(obj) if not a.startswith('__')]
['bar', 'foo', 'func']

或者如果您更喜欢地图/过滤器。

 >>> filter(lambda a: not a.startswith('__'), dir(obj))
['bar', 'foo', 'func']

如果你想过滤掉这些方法,你可以使用内置的 callable 作为检查。

 >>> [a for a in dir(obj) if not a.startswith('__') and not callable(getattr(obj, a))]
['bar', 'foo']

您还可以使用检查您的类与其实例对象之间的区别。

 >>> set(dir(Cls)) - set(dir(object))
set(['__module__', 'bar', 'func', '__dict__', 'foo', '__weakref__'])

原文由 Meitham 发布,翻译遵循 CC BY-SA 4.0 许可协议

通常在您的 中放置一个 __iter__ 方法并遍历对象属性或将此混合类放入您的类中。

 class IterMixin(object):
    def __iter__(self):
        for attr, value in self.__dict__.iteritems():
            yield attr, value

你的班:

 >>> class YourClass(IterMixin): pass
...
>>> yc = YourClass()
>>> yc.one = range(15)
>>> yc.two = 'test'
>>> dict(yc)
{'one': [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14], 'two': 'test'}

原文由 SmartElectron 发布,翻译遵循 CC BY-SA 3.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题
logo
Stack Overflow 翻译
子站问答
访问
宣传栏