Python データ構造: リスト、タプル、セット、辞書

List

  • A List は の動的配列であり Python 、複数の異なる値を格納でき、要素は初期化後に変更できます。
  • を宣言するには List 、角括弧を使用します []

例:

# Declare a List containing integers  
numbers = [1, 2, 3, 4, 5]  
  
# Access and print elements in the List  
print(numbers[0])  # Output: 1  
print(numbers[2])  # Output: 3  
  
# Modify the value of an element in the List  
numbers[1] = 10  
print(numbers)  # Output: [1, 10, 3, 4, 5]  

 

Tuple

  • A Tuple は における不変のデータ構造であり Python 、初期化後にデータが変更されないように保護するためによく使用されます。
  • を宣言するには Tuple 、括弧を使用します ()

例:

# Declare a Tuple containing information of a student  
student_info =('John', 25, 'Male', 'New York')  
  
# Access and print elements in the Tuple  
print(student_info[0])  # Output: John  
print(student_info[2])  # Output: Male  

 

Set

  • A は Set 、重複する要素を含まず、順序を持たないデータ構造です。
  • を宣言するには Set 、中括弧 {} または set() 関数を使用します。

例:

# Declare a Set containing colors  
colors = {'red', 'green', 'blue', 'red', 'yellow'}  
  
# Print the Set to check duplicate elements are removed  
print(colors)  # Output: {'red', 'green', 'blue', 'yellow'}  

 

Dictionary

  • A は Dictionary 、キーと値のペアで情報を格納する順序付けされていないデータ構造です。
  • を宣言するには Dictionary 、中括弧を使用し {} 、各キーと値のペアをコロンで区切ります :

:

# Declare a Dictionary containing information of a person  
person = {'name': 'John', 'age': 30, 'city': 'New York'}  
  
# Access and print values from the Dictionary  
print(person['name'])  # Output: John  
print(person['age'])   # Output: 30  
  
# Modify the value of a key in the Dictionary  
person['city'] = 'Los Angeles'  
print(person)  # Output: {'name': 'John', 'age': 30, 'city': 'Los Angeles'}  

これらのデータ構造により、プログラマはさまざまなプログラミング シナリオや目的に合わせて、 でデータを柔軟に操作および処理できます Python。