Antworten:
Aufruf dict
ohne Parameter
new_dict = dict()
oder einfach schreiben
new_dict = {}
{}
mehr dict()
und 5 Mal für []
mehr list()
.
Du kannst das
x = {}
x['a'] = 1
Es ist auch nützlich zu wissen, wie man ein voreingestelltes Wörterbuch schreibt:
cmap = {'US':'USA','GB':'Great Britain'}
# Explicitly:
# -----------
def cxlate(country):
try:
ret = cmap[country]
except KeyError:
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
cxlate
lässt Ihre Antwort zu kompliziert erscheinen. Ich würde nur den Initialisierungsteil behalten. ( cxlate
selbst ist zu kompliziert. Sie könnten nur return cmap.get(country, '?')
.)
KeyError
anstelle eines bloßen außer fangen (was Dinge wie KeyboardInterrupt
und fangen würde SystemExit
).
>>> dict(a=2,b=4)
{'a': 2, 'b': 4}
Fügt den Wert im Python-Wörterbuch hinzu.
d = dict()
oder
d = {}
oder
import types
d = types.DictType.__new__(types.DictType, (), {})
Es gibt also zwei Möglichkeiten, ein Diktat zu erstellen:
my_dict = dict()
my_dict = {}
Aber von diesen beiden Optionen {}
ist effizienter als dict()
plus es ist lesbar.
ÜBERPRÜFE HIER
>>> dict.fromkeys(['a','b','c'],[1,2,3])
{'a': [1, 2, 3], 'b': [1, 2, 3], 'c': [1, 2, 3]}