Python:如何检查对象的属性是否为方法?

时间:2013-04-29 17:27:50

标签: python object types attributes

我想定义一个类,它的__repr__方法定义为只写出非方法的所有属性的名称和值。我怎样才能做到这一点?我已经设法像这样编写它,但我意识到这不会检查属性类型。

class Example:
    def __repr__(self):
        return "\n".join(["%s: %s" % (x, getattr(self, x)) for x in dir(self) if not x.startswith('__')])

这里缺少的是检查属性的类型。

3 个答案:

答案 0 :(得分:3)

您可以将inspect用于以下内容:

from inspect import ismethod,getmembers

class Example:
    def __repr__(self):
        return "\n".join("%s: %s" % (k, v) for (k,v) in getmembers(self,lambda x: not ismethod(x)))

    def method(self):
        return 1

a = Example()
a.foo = 'bar'
print a

这也会选择双下划线属性(__module____doc__)。如果你不想要那些,你可以很容易地过滤它们。

答案 1 :(得分:1)

答案 2 :(得分:1)

假设您的课程没有定义__slots__,您也可以只迭代实例的__dict__(或通过vars() function)。

class Superclass:
    def __init__(self, w):
        self.w = w

class Example(Superclass):
    def __init__(self, x, y, z):
        super().__init__(1234)
        self.x = x
        self.y = y
        self.z = z

    @property
    def x_prop(self):
        return self.x

    @classmethod
    def do_something(cls, z):
        return str(cls) + str(z)

    def __call__(self):
        return 4444

    class_property = 42


    def __repr__(self):
        return "\n".join("%s: [%s]" % (k, v) for (k,v) in vars(self).items())

example = Example(2, lambda y: z, '4')
example2 = Example(example, 6j, b'90')

print(repr(example2))

打印

x: [x: [2]
y: [<function <lambda> at 0x7f9368b21ef0>]
z: [4]
w: [1234]]
y: [6j]
z: [b'90']
w: [1234]