Python辞書の結び目を詳しく説明します。

8487 ワード

辞書(dict)はPythonでよく使われているデータ構造です。筆者は実際の使用経験と結びつけて、辞書に関する知識をまとめて、読者に啓発してもらいたいです。
辞書を作成
一般的な辞書の作成方法は、まず空いている辞書を作成して、キーと値を一つずつ追加します。たとえば、辞書のperson=''name'、'age':22,city':'Shanghai'ID'':'07569''を作成して、次のコードが使えます。

person = {}

person['name'] = 'Tom'
person['age'] = 22
person['city'] = 'Shanghai'
person['ID'] = '073569'

print(person)
出力結果は:
{name'、'Tom'、'age':22、'city'、'Shanghai'、'ID':'07569''
このような作成はシンプルでシンプルで、コードがシンプルで優雅ではない。私たちはzip関数を使って、この辞書を簡単かつ迅速に作成します。

attrs = ['name', 'age', 'city', 'ID']
values = ['Tom', 22, 'Shanghai', '073569']
person = dict(zip(attrs, values))

print(person)

出力結果はもとのコードと一致した。
辞書を巡回する
実際の応用では、私たちはしばしば辞書を遍歴する必要があります。実現する方法は以下のコードを参照することができます。

attrs = ['name', 'age', 'city', 'ID']
values = ['Tom', 22, 'Shanghai', '073569']
person = dict(zip(attrs, values))

for key, value in person.items():
  print('Key:%-6s, Value:%s'%(key, value))

出力結果は:
Key:name  , Value:Tom
Key:age   , Value:22
Key:city  , Value:Shanghai
Key:ID    , Value:07569
キーの位置を合わせる
実際の応用では、辞書の中のある値(value)に対応するキー(key)を探す必要があります。辞書を遍歴するのは選択で、キーの値を合わせるのは別の選択です。キーの値を合わせた実装コードは以下の通りです。

attrs = ['name', 'age', 'city', 'ID']
values = ['Tom', 22, 'Shanghai', '073569']
person = dict(zip(attrs, values))

print('   :')
print(person)

Person = {v:k for k,v in person.items()}

print('   :')
print(Person)

出力結果は:
調整前:
{name'、'Tom'、'age':22、'city'、'Shanghai'、'ID':'07569''
合わせ後:
''Tom':'name',22:'age','Shanghai':'city','07569':'ID''
秩序辞書OrderedDict
Pythonの辞書は無秩序であり、それはhashによって保存されているので、キーの取り出しは無秩序である。辞書のエントリやキーが必要な場合がありますが、collectionモジュールのOrderedDictを使用することができます。それは規則的な辞書構造です。
サンプルコードは以下の通りです。

from collections import OrderedDict

d = {}
d['Tom']='A'
d['Jack']='B'
d['Leo']='C'
d['Alex']='D'
print('    (dict):')
for k,v in d.items():
  print(k,v)

d1 = OrderedDict()
d1['Tom']='A'
d1['Jack']='B'
d1['Leo']='C'
d1['Alex']='D'
print('
(OrderedDict):') for k,v in d1.items(): print(k,v)
出力の結果は:
無秩序辞書(dict):
Leo.
ジャック
トムA
Alex D
順序付き辞書(OrderedDict):
トムA
ジャック
Leo.
Alex D
標準辞書collection.defaultdict
collection.default dictはPython内に建てられたdict類の一つのサブクラスで、最初のパラメータはdefault_です。factory属性は初期値を提供し、デフォルトはNoneです。方法をカバーし、書き込み可能なインスタンス変数を追加します。他の機能はdictと同じですが、存在しないキーのデフォルト値を提供します。KeyErr異常を回避します。
統計リストの単語の語数を例にとって、collection.defaultdictの強みを示します。
一般的には、リスト内の単語の語数コードを統計します。

words = ['sun', 'moon', 'star', 'star',\
     'star', 'moon', 'sun', 'star']

freq_dict = {}
for word in words:
  if word not in freq_dict.keys():
    freq_dict[word] = 1
  else:
    freq_dict[word] += 1

for key, val in freq_dict.items():
  print(key, val)

出力結果は以下の通りです。
sun 2
moon 2
スター4
collection.defaultdictを使って、コードを最適化できます。

from collections import defaultdict

words = ['sun', 'moon', 'star', 'star',\
     'star', 'moon', 'sun', 'star']

freq_dict = defaultdict(int)
for word in words:
  freq_dict[word] += 1

for key, val in freq_dict.items():
  print(key, val)

他のデフォルトの初期値はset、list、dictなどとすることができます。
辞書の値にアクセス
対応するキーを熟知した括弧に入れると、次の例があります。

dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'};

print "dict['Name']: ", dict['Name'];
print "dict['Age']: ", dict['Age'];
#        :
#dict['Name']: Zara
#dict['Age']: 7
辞書にないキーでデータにアクセスすると、エラーが次のように出力されます。

dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'};

print "dict['Alice']: ", dict['Alice'];
上記の例の出力結果:
ヽoo。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。。
辞書を修正する
辞書に新しい内容を追加する方法は、新しいキー/値ペアを追加し、既存のキー/値のペアを変更または削除することです。

dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'};

dict['Age'] = 8; # update existing entry
dict['School'] = "DPS School"; # Add new entry

 
print "dict['Age']: ", dict['Age'];
print "dict['School']: ", dict['School'];
#        :
#dict['Age']: 8
#dict['School']: DPS School

辞書要素を削除
単一の要素を削除することができますが、辞書を空にすることができます。
辞書の削除をdelコマンドで表示します。

dict = {'Name': 'Zara', 'Age': 7, 'Class': 'First'};

del dict['Name']; #     'Name'   
dict.clear();   #         
del dict ;    #     

print "dict['Age']: ", dict['Age'];
print "dict['School']: ", dict['School'];
#         ,   del       :
dict['Age']:
辞書内蔵関数&メソッド
Python辞書には以下の内蔵関数が含まれています。

cmp(dict1, dict2) #        。
len(dict)       #        ,     。
str(dict)       #             。
type(variable)   #         ,              。    
Python辞書には以下のような内蔵方法が含まれています。

radiansdict.clear()  #         
radiansdict.copy()  #          
radiansdict.fromkeys()  #       ,   seq        ,val            
radiansdict.get(key, default=None)  #       ,          default 
radiansdict.has_key(key)  #      dict   true,    false
radiansdict.items()  #         ( ,  )     
radiansdict.keys()  #             
radiansdict.setdefault(key, default=None)  # get()  ,              ,          default
radiansdict.update(dict2)  #   dict2  /     dict 
radiansdict.values()  #            
辞書の練習コード

print('''|---         ---|
|---1、        ---|
|---2、        ---|
|---3、        ---|
|---4、        ---|''')
addressBook={}#     
while 1:
  temp=input('       :')
  if not temp.isdigit():
    print("       ,       ")
    continue
  item=int(temp)#     
  if item==4:
    print("|---         ---|")
    break
  name = input("        :")
  if item==1:
    if name in addressBook:
      print(name,':',addressBook[name])
      continue
    else:
      print("       !")
  if item==2:
    if name in addressBook:
      print("              -->>",name,":",addressBook[name])
      isEdit=input("         (Y/N):")
      if isEdit=='Y':
        userphone = input("        :")
        addressBook[name]=userphone
        print("       ")
        continue
      else:
        continue
    else:
      userphone=input("        :")
      addressBook[name]=userphone
      print("       !")
      continue

  if item==3:
    if name in addressBook:
      del addressBook[name]
      print("    !")
      continue
    else:
      print("      ")

以上が本文の全部です。皆さんの勉強に役に立つように、私たちを応援してください。