次のようないくつかのプロパティを持つクラス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,)
これを行うためのより良いPythonの方法はありますか?
この単純なケースでは、 vars()
を使用できます。
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オブジェクトをディスクに保存する場合は、 shelve — Python object persistence をご覧ください。
別の方法は、 dir()
関数を呼び出すことです( 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']
dir()
は、到達可能な属性に到達しようとすることに注意してください。
その後、属性にアクセスできます。ダブルアンダースコアでフィルタリングすることにより:
attributes = [attr for attr in dir(a)
if not attr.startswith('__')]
これは、 dir()
でできることの単なる例です。これを行う適切な方法については、他の回答を確認してください。
たぶん、あなたはこのようなものを探していますか?
>>> class MyTest:
def __init__ (self):
self.value = 3
>>> myobj = MyTest()
>>> myobj.__dict__
{'value': 3}
試してください pretty :
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 __== '__main__':
animal = Animal()
temp = vars(animal)
for item in temp:
print item , ' : ' , temp[item]
#print item , ' : ', temp[item] ,
beeprint を試してください
次のように出力されます:
instance(Animal):
legs: 2,
name: 'Dog',
color: 'Spotted',
smell: 'Alot',
age: 10,
kids: 0,
まさにあなたが必要とするものだと思います。