본문 바로가기
TIL (Today I Learned)/Python

[Python] For loop

by 둥굴프 2023. 4. 2.
파이썬에 대한 기본적인 이해를 위해 작성했습니다

 

python의 for 반복문은 다음과 같이 작성된다.

for item in iterable:
	# ... code ...

여기서 iterable이란 의미 그대로 반복할 수 있는 것이다.

iterable을 정의하는 비순환 방식은 한 번에 하나씩 액세스 할 수 있는 항목의 모음이라고 생각하는 것이다.

Python에서 iterable은 매우 구체적인 의미를 가진다.

한 번에 하나씩 멤버를 반환할 수 있는 객체를 뜻한다.

다음과 같은 것들이 있다 : list, strings, file objects...

for문은 iterable을 반복하는 데 사용할 수 있다.

 

for i in range(5):
    print(i)

for x in [1, 2, 3]:
    print(x)

for x in 'hello':
    print(x)

for x in ('a', 'b', 'c'):
    print(x)

for x in [(1, 2), (3, 4), (5, 6)]:
    print(x)

for i, j in [(1, 2), (3, 4), (5, 6)]:
    print(i, j)
    
for i, c in enumerate('hello'):
    print(i, c)

 

또한, breakcontinueelse절은 while반복문과 동일하게 작동한다.

 

for i in range(1, 8):
    print(i)
    if i % 7 == 0:
        print('multiple of 7 found')
        break
else:
    print('No multiples of 7 encountered')

 

while루프와 유사하게 break 및 continue는 try 문의 finally 절 컨텍스트에서 동일하게 작동한다.

 

for i in range(5):
    print('--------------------')
    try:
        10 / (i - 3)
    except ZeroDivisionError:
        print('divided by 0')
        continue
    finally:
        print('always runs')
    print(i)

'TIL (Today I Learned) > Python' 카테고리의 다른 글

[Python] 변수와 메모리 #1  (0) 2023.04.03
[Python] Classes  (0) 2023.04.02
[Python] While loop  (0) 2023.04.02
[Python] Function  (0) 2023.03.29
[Python] ternary operator  (0) 2023.03.29

댓글