programing

Python 클래스의 모든 속성 인쇄

kingscode 2022. 12. 28. 22:06
반응형

Python 클래스의 모든 속성 인쇄

나는 다음과 같은 몇 가지 속성을 가진 Animal 클래스를 가지고 있다.


class Animal(object):
    def __init__(self):
        self.legs = 2
        self.name = 'Dog'
        self.color= 'Spotted'
        self.smell= 'Alot'
        self.age  = 10
        self.kids = 0
        #many more...

이제 이 모든 속성을 텍스트 파일로 인쇄하려고 합니다.내가 지금 하고 있는 꼴불견은 다음과 같다.


animal=Animal()
output = 'legs:%d, name:%s, color:%s, smell:%s, age:%d, kids:%d' % (animal.legs, animal.name, animal.color, animal.smell, animal.age, animal.kids,)

이것을 할 수 있는 더 나은 피토닉 방법은 없을까?

이 간단한 경우 다음을 사용할 수 있습니다.

an = Animal()
attrs = vars(an)
# {'kids': 0, 'name': 'Dog', 'color': 'Spotted', 'age': 10, 'legs': 2, 'smell': 'Alot'}
# now dump this in some way or another
print(', '.join("%s: %s" % item for item in attrs.items()))

디스크에 Python 개체를 저장하려면 쉘브 - Python 개체 지속성을 검토해야 합니다.

다른 방법은 함수를 호출하는 것입니다(https://docs.python.org/2/library/functions.html#dir) 참조).

a = Animal()
dir(a)   
>>>
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattribute__',
 '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', 
 '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 
 '__weakref__', 'age', 'color', 'kids', 'legs', 'name', 'smell']

는 도달할 수 있는 Atribute에 도달하려고 합니다.

그런 다음 두 개의 밑줄로 필터링하여 속성에 액세스할 수 있습니다.

attributes = [attr for attr in dir(a) 
              if not attr.startswith('__')]

이것은 사용 가능한 기능의 예에 불과합니다.다른 답변에서 올바른 방법을 확인하십시오.

혹시 이런 걸 찾으시는 건 아닐까요?

    >>> class MyTest:
        def __init__ (self):
            self.value = 3
    >>> myobj = MyTest()
    >>> myobj.__dict__
    {'value': 3}

ppretty를 사용해 보세요.

from ppretty import ppretty


class Animal(object):
    def __init__(self):
        self.legs = 2
        self.name = 'Dog'
        self.color= 'Spotted'
        self.smell= 'Alot'
        self.age  = 10
        self.kids = 0


print ppretty(Animal(), seq_length=10)

출력:

__main__.Animal(age = 10, color = 'Spotted', kids = 0, legs = 2, name = 'Dog', smell = 'Alot')

여기 풀코드가 있습니다.결과는 당신이 원하는 대로입니다.

class Animal(object):
    def __init__(self):
        self.legs = 2
        self.name = 'Dog'
        self.color= 'Spotted'
        self.smell= 'Alot'
        self.age  = 10
        self.kids = 0

if __name__ == '__main__':
    animal = Animal()
    temp = vars(animal)
    for item in temp:
        print item , ' : ' , temp[item]
        #print item , ' : ', temp[item] ,

비프 인쇄를 시도합니다.

다음과 같이 인쇄합니다.

instance(Animal):
    legs: 2,
    name: 'Dog',
    color: 'Spotted',
    smell: 'Alot',
    age: 10,
    kids: 0,

제 생각엔 그게 바로 당신에게 필요한 것 같아요.

언급URL : https://stackoverflow.com/questions/5969806/print-all-properties-of-a-python-class

반응형