Python - 반복문으로 리스트 순회 방법 (+ Index 출력)

파이썬에서 반복문을 이용하여 리스트를 순회하는 방법을 소개합니다.

1. 반복문(for)으로 리스트 순회

for loop를 이용하여 리스트를 순회할 수 있습니다. 가장 기본적인 방법입니다.

fruits = ["apple", "kiwi", "banana", "blueberry"]

for fruit in fruits:
    print(fruit)

Output:

apple
kiwi
banana
blueberry

2. 리스트 순회 시, enumerate로 Index 출력 (1)

반복문으로 리스트를 순회할 때, Index도 함께 출력하는 방법입니다. 물론 index 변수를 선언하여 반복문을 순회할 때마다 index를 증가하여 출력하는 방법이 있겠지만, enumerate를 이용하면 다음과 같이 index를 출력할 수 있습니다. item 객체는 Tuple이며, item[0]이 Index, item[1]이 리스트의 요소입니다.

fruits = ["apple", "kiwi", "banana", "blueberry"]

for item in enumerate(fruits):
    print(item)
    print(f"item[0]={item[0]}, item[1]={item[1]}")

Output:

(0, 'apple')
item[0]=0, item[1]=apple
(1, 'kiwi')
item[0]=1, item[1]=kiwi
(2, 'banana')
item[0]=2, item[1]=banana
(3, 'blueberry')
item[0]=3, item[1]=blueberry

3. 리스트 순회 시, enumerate로 Index 출력 (2)

Tuple 객체로 index와 요소를 접근하지 않고 따로 변수를 선언하여 접근하고 싶다면 다음과 같이 하시면 됩니다.

fruits = ["apple", "kiwi", "banana", "blueberry"]

for index, fruit in enumerate(fruits):
    print(f"index={index}, fruit={fruit}")

Output:

index=0, fruit=apple
index=1, fruit=kiwi
index=2, fruit=banana
index=3, fruit=blueberry

4. 리스트 순회 시, enumerate로 Index 출력 (3)

Index가 0이 아닌, 특정 숫자부터 시작되도록 할 수 있습니다. 예를 들어, enumerate(iterable, num) 처럼 원하는 숫자를 인자로 전달하면 그 숫자부터 index가 시작됩니다.

아래는 index가 1부터 시작하는 예제입니다.

fruits = ["apple", "kiwi", "banana", "blueberry"]

for index, fruit in enumerate(fruits, 1):
    print(f"index={index}, fruit={fruit}")

Output:

index=1, fruit=apple
index=2, fruit=kiwi
index=3, fruit=banana
index=4, fruit=blueberry
Loading script...

Related Posts

codechachaCopyright ©2019 codechacha