「労働者が自分の仕事をうまくやりたいなら、まず自分の道具を研ぎ澄まさなければなりません。」 - 孔子、「論語。陸霊公」
表紙 > プログラミング > Python - 辞書、セット、タプル

Python - 辞書、セット、タプル

2024 年 9 月 1 日に公開
ブラウズ:369

これら 3 つはすべて、Python の異なるタイプのデータ構造です。これは、さまざまなデータ コレクションを保存するために使用されます。要件のユースケースに基づいて、これらの中から選択する必要があります。

Python - Dictionary, Set, Tuple

辞書 (dict):

  1. ディクショナリはキーと値のペアのコレクションであり、各キーは値に関連付けられています
  2. キーは一意である必要があるため、キー値に基づいてデータを取得できます(キーベースの検索)。
  3. 3.7 までは辞書に順序はありませんが、値は変更できます。キー名を直接変更することはできません

構文:
在庫 = {'リンゴ':20, 'バナナ':30 , 'ニンジン':15, 'ミルク':15}
print('\t1.在庫アイテム', 在庫)

以下の構文を使用して、辞書に別の値を追加したり、既存のキーの値を変更したりできます

在庫['卵'] = 20
在庫['パン'] = 25
print('\t2.更新された在庫アイテム', 在庫)
在庫['卵']= 在庫['卵'] 5
print('\t3.再入荷後',在庫)

  • dict からのデータの削除は、del キーワードを使用して実行できます。
  • inキーワードを使用してデータの存在を確認できます。結果はブール値になります。

在庫を削除['キャロット']
在庫削除['パン']
print('\t4.削除後に更新されたインベントリ', inventory)

is_bananas_in_inventory = 在庫に「バナナ」があります
print('\t5a. バナナは在庫にあります', is_bananas_in_inventory)
is_oranges_in_inventory = 在庫内の「オレンジ」
print('\t5b. オレンジは在庫にあります', is_oranges_in_inventory)

メモ:
さらに、dict.items() は、辞書内の各項目をタプル (キーと値のペアのような) として与えます。 list(dict.items()) を使用すると、データをリストとして取得することもできます。 for ループと if 条件を使用すると、特定のキーにアクセスし、そのデータに対して目的の操作を実行できます

for product, product_count in inventory.items():
    print('\t\t6. Product:', product, 'count is:', product_count)
print ('\t7. Iterating inventory gives tuple:', inventory.items())

#Printing only egg count(Value of key 'egg') by itearting dict
for product, product_count in inventory.items():
    if product is 'egg':
        print('\t8. Product:', product, ' its count is:', product_count)

#Printing egg count (value of key 'egg')
print('\t9. Count of apple',inventory['egg'])
Output:
        1. Inventory items {'apple': 20, 'Banana': 30, 'carrot': 15, 'milk': 15}
        2. Updated Inventory items {'apple': 20, 'Banana': 30, 'carrot': 15, 'milk': 15, 'egg': 20, 'bread': 25}
        3. After restocking {'apple': 30, 'Banana': 30, 'carrot': 15, 'milk': 15, 'egg': 25, 'bread': 25}
        4. Updated Inventory after delete {'apple': 30, 'Banana': 30, 'milk': 15, 'egg': 25}
        5a. Is banana in inventory True
        5b. Is Orange in inventory False
                6. Product: apple count is: 30
                6. Product: Banana count is: 30
                6. Product: milk count is: 15
                6. Product: egg count is: 25
        7. Iterating inventory gives tuple: dict_items([('apple', 30), ('Banana', 30), ('milk', 15), ('egg', 25)])
        8. Product: egg  its count is: 25
        9. Count of apple 25

セット:
セットは、順序付けされていない一意の要素のコレクションです。セットは変更可能ですが、要素の重複は許可されません。

構文:
botanical_garden = {'バラ', '蓮', 'ユリ'}
botanical_garden.add('ジャスミン')
botanical_garden.remove('ローズ')
is_present_Jasmine = 植物園の「ジャスミン」

上記では、セットを定義し、値を追加して削除することがわかりました。同じ要素をセットに追加すると、エラーが発生します。

ベン図と同様に 2 つのセットを比較することもできます。 2 つのデータセットの和集合、差分、積集合など。

botanical_garden = {'Tuple', 'rose', 'Lily', 'Jasmine', 'lotus'}
rose_garden = {'rose', 'lotus', 'Hybiscus'}

common_flower= botanical_garden.intersection(rose_garden)
flowers_only_in_bg = botanical_garden.difference(rose_garden)
flowers_in_both_set = botanical_garden.union(rose_garden)

Output will be a set by default. 
If needed we can typecase into list using list(expression)

タプル:
タプルは、要素の順序付けされたコレクションであり、不変です。つまり、作成後に変更することはできません。

構文:

ooty_trip = ('Ooty', '2024-1-1', 'Botanical_Garden')
munnar_trip = ('Munar', '2024-06-06', 'Eravikulam National Park')
germany_trip = ('Germany', '2025-1-1', 'Lueneburg')
print('\t1. Trip details', ooty_trip, germany_trip)

#Accessing tuple using index
location = ooty_trip[0]
date = ooty_trip[1]
place = ooty_trip[2]

print(f'\t2a. Location: {location} Date: {date} Place: {place} ')

location, date, place =germany_trip # Assinging a tuple to 3 different variables
print(f'\t2b. Location: {location} Date: {date} Place: {place} ')

print('\t3. The count of ooty_trip is ',ooty_trip.count)

Output:
   1. Trip details ('Ooty', '2024-1-1', 'Botanical_Garden') ('Germany', '2025-1-1', 'Lueneburg')
   2a. Location: Ooty Date: 2024-1-1 Place: Botanical_Garden
   2b. Location: Germany Date: 2025-1-1 Place: Lueneburg
   3. The count of ooty_trip is  

タプルにはインデックスを使用してアクセスできます。タプルの値は複数の変数に簡単に割り当てることができます。 2 つのタプルを結合して、別のタプルを作成できます。ただし、タプルは変更できません。

リリースステートメント この記事は次の場所に転載されています: https://dev.to/sureshlearnspython/python-dictionary-set-tuple-5em7?1 侵害がある場合は、[email protected] に連絡して削除してください。
最新のチュートリアル もっと>

免責事項: 提供されるすべてのリソースの一部はインターネットからのものです。お客様の著作権またはその他の権利および利益の侵害がある場合は、詳細な理由を説明し、著作権または権利および利益の証拠を提出して、電子メール [email protected] に送信してください。 できるだけ早く対応させていただきます。

Copyright© 2022 湘ICP备2022001581号-3