私はPythonで辞書を作りたいです。しかしながら、私が見る全ての例はリストから辞書をインスタンス化することなどです。 ..
Pythonで新しい空の辞書を作成するにはどうすればいいですか?
パラメータなしでdict
を呼び出す
new_dict = dict()
または単に書く
new_dict = {}
あなたはこれを行うことができます
x = {}
x['a'] = 1
プリセット辞書の書き方を知っていると、知っておくと便利です。
cmap = {'US':'USA','GB':'Great Britain'}
def cxlate(country):
try:
ret = cmap[country]
except:
ret = '?'
return ret
present = 'US' # this one is in the dict
missing = 'RU' # this one is not
print cxlate(present) # == USA
print cxlate(missing) # == ?
# or, much more simply as suggested below:
print cmap.get(present,'?') # == USA
print cmap.get(missing,'?') # == ?
# with country codes, you might prefer to return the original on failure:
print cmap.get(present,present) # == USA
print cmap.get(missing,missing) # == RU
>>> dict(a=2,b=4)
{'a': 2, 'b': 4}
Pythonの辞書に値を追加します。
d = dict()
または
d = {}
または
import types
d = types.DictType.__new__(types.DictType, (), {})
>>> dict.fromkeys(['a','b','c'],[1,2,3])
{'a': [1, 2, 3], 'b': [1, 2, 3], 'c': [1, 2, 3]}