任意のオブジェクトから辞書を作成するための組み込み関数があるかどうか知っていますか?私はこのようなことをしたいのですが。
>>> class Foo:
... bar = 'hello'
... baz = 'world'
...
>>> f = Foo()
>>> props(f)
{ 'bar' : 'hello', 'baz' : 'world' }
注意:メソッドを含めるべきではありません。フィールドのみ
Python 2.7のベストプラクティスは次のものを使うことです。新しいスタイルクラス(Python 3では不要)
class Foo(object):
...
また、「オブジェクト」と「クラス」の間にも違いがあります。任意の辞書から辞書を作成する物、それで十分です__dict__
。通常は、クラスレベルでメソッドを宣言し、インスタンスレベルで属性を宣言します。__dict__
大丈夫です。例えば:
>>> class A(object):
... def __init__(self):
... self.b = 1
... self.c = 2
... def do_nothing(self):
... pass
...
>>> a = A()
>>> a.__dict__
{'c': 2, 'b': 1}
より良いアプローチ(ロバートコメント))は組み込みですvars
関数:
>>> vars(a)
{'c': 2, 'b': 1}
あるいは、あなたがやりたいことによっては、から継承するのがいいかもしれません。dict
。それならあなたのクラスは既に辞書で、必要に応じて上書きできますgetattr
および/またはsetattr
コールして辞書を設定します。例えば:
class Foo(dict):
def __init__(self):
pass
def __getattr__(self, attr):
return self[attr]
# etc...
の代わりにx.__dict__
、実際に使用するほうがよりpythonicですvars(x)
。
MyClass(**my_dict)
クラス属性を反映したパラメータでコンストラクタを定義したと仮定します。プライベート属性にアクセスしたり、辞書を上書きする必要はありません。 - tvt173
のdir
次のような特別なメソッドを含めて、builtinはあなたにすべてのオブジェクトの属性を与えるでしょう。__str__
、__dict__
そして、あなたがおそらく望んでいない、他のたくさんの人たち。しかし、あなたは以下のようなことをすることができます。
>>> class Foo(object):
... bar = 'hello'
... baz = 'world'
...
>>> f = Foo()
>>> [name for name in dir(f) if not name.startswith('__')]
[ 'bar', 'baz' ]
>>> dict((name, getattr(f, name)) for name in dir(f) if not name.startswith('__'))
{ 'bar': 'hello', 'baz': 'world' }
そのため、これを拡張してデータ属性のみを返し、メソッドを返さないようにすることができます。props
このような機能:
import inspect
def props(obj):
pr = {}
for name in dir(obj):
value = getattr(obj, name)
if not name.startswith('__') and not inspect.ismethod(value):
pr[name] = value
return pr
ismethod
関数をキャッチしません。例:inspect.ismethod(str.upper)
。inspect.isfunction
ただし、これ以上は役に立ちません。すぐにこれに近づく方法がわからない。 - Ehtesh Choudhury
両方の答えを組み合わせて解決しました。
dict((key, value) for key, value in f.__dict__.iteritems()
if not callable(value) and not key.startswith('__'))
任意の辞書から辞書を作成する物、それで十分です
__dict__
。
これは、オブジェクトがそのクラスから継承する属性を見逃しています。例えば、
class c(object):
x = 3
a = c()
hasattr(a、 'x')は真ですが、 'x'は.__ dict__には現れません。
オブジェクトをどのようにしてdictに変換できるかを説明するには時間がかかると思いました。dict(obj)
。
class A(object):
d = '4'
e = '5'
f = '6'
def __init__(self):
self.a = '1'
self.b = '2'
self.c = '3'
def __iter__(self):
# first start by grabbing the Class items
iters = dict((x,y) for x,y in A.__dict__.items() if x[:2] != '__')
# then update the class items with the instance items
iters.update(self.__dict__)
# now 'yield' through the items
for x,y in iters.items():
yield x,y
a = A()
print(dict(a))
# prints "{'a': '1', 'c': '3', 'b': '2', 'e': '5', 'd': '4', 'f': '6'}"
このコードの重要なセクションは__iter__
関数。
コメントが説明するように、私たちが最初にすることはクラス項目をつかみ、 '__'で始まることを防ぐことです。
それを作成したらdict
その後、あなたが使用することができますupdate
関数を指定してインスタンスを渡す__dict__
。
これらはあなたに完全なクラス+メンバーのインスタンス辞書を与えるでしょう。今残っているのはそれらを反復してリターンを出すことだけです。
また、これをたくさん使うつもりなら、@iterable
クラスデコレータ。
def iterable(cls):
def iterfn(self):
iters = dict((x,y) for x,y in cls.__dict__.items() if x[:2] != '__')
iters.update(self.__dict__)
for x,y in iters.items():
yield x,y
cls.__iter__ = iterfn
return cls
@iterable
class B(object):
d = 'd'
e = 'e'
f = 'f'
def __init__(self):
self.a = 'a'
self.b = 'b'
self.c = 'c'
b = B()
print(dict(b))
回答が遅くなりましたが、完全性とgooglersの利益のために提供されました:
def props(x):
return dict((key, getattr(x, key)) for key in dir(x) if key not in dir(x.__class__))
これはクラスで定義されたメソッドを表示しませんが、ラムダに割り当てられたものや二重下線で始まるものを含むフィールドを表示します。
属性の一部をリストしたい場合は、オーバーライドしてください。__dict__
:
def __dict__(self):
d = {
'attr_1' : self.attr_1,
...
}
return d
# Call __dict__
d = instance.__dict__()
あなたの場合これは大いに役立ちますinstance
大きなブロックデータを取得してプッシュしたいd
メッセージキューのようにRedisに。
最も簡単な方法は、ゲテムクラスの属性。オブジェクトに書き込む必要がある場合は、カスタムオブジェクトを作成できます。setattr。以下はその例です。ゲテム:
class A(object):
def __init__(self):
self.b = 1
self.c = 2
def __getitem__(self, item):
return self.__dict__[item]
# Usage:
a = A()
a.__getitem__('b') # Outputs 1
a.__dict__ # Outputs {'c': 2, 'b': 1}
vars(a) # Outputs {'c': 2, 'b': 1}
口述オブジェクトの属性を辞書に生成し、辞書オブジェクトを使用して必要なアイテムを取得できます。
__dict__
- radtek
使用のマイナス面__dict__
それは浅いということです。サブクラスを辞書に変換することはありません。
Python 3.5以上を使っているのなら、jsons
:
>>> import jsons
>>> jsons.dump(f)
{'bar': 'hello', 'baz': 'world'}
class DateTimeDecoder(json.JSONDecoder):
def __init__(self, *args, **kargs):
JSONDecoder.__init__(self, object_hook=self.dict_to_object,
*args, **kargs)
def dict_to_object(self, d):
if '__type__' not in d:
return d
type = d.pop('__type__')
try:
dateobj = datetime(**d)
return dateobj
except:
d['__type__'] = type
return d
def json_default_format(value):
try:
if isinstance(value, datetime):
return {
'__type__': 'datetime',
'year': value.year,
'month': value.month,
'day': value.day,
'hour': value.hour,
'minute': value.minute,
'second': value.second,
'microsecond': value.microsecond,
}
if isinstance(value, decimal.Decimal):
return float(value)
if isinstance(value, Enum):
return value.name
else:
return vars(value)
except Exception as e:
raise ValueError
今、あなたはあなた自身のクラスの中で上記のコードを使うことができます:
class Foo():
def toJSON(self):
return json.loads(
json.dumps(self, sort_keys=True, indent=4, separators=(',', ': '), default=json_default_format), cls=DateTimeDecoder)
Foo().toJSON()
__dict__
オブジェクトがスロットを使用している(またはCモジュールで定義されている)場合は機能しません。 - Antimonyvars(a)
これを行う?私にとっては、__dict__
直接。 - robert__getattr__ = dict.__getitem__
振る舞いを正確に再現するためには、__setattr__ = dict.__setitem__
そして__delattr__ = dict.__delitem__
完全性のために。 - Tadhg McDonald-Jensen