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.