본문 바로가기
Codeit/프로그래밍 기초 in Python

프로그래밍 핵심 개념 in Python / 제어문

by 에파 2021. 3. 19.
728x90

 

프로그래밍 핵심 개념 in Python / 제어문

 

 

i = 0
while i < 3:
    print("Test")
    i += 1

#<Run>
#Test
#Test
#Test

while 반복문 (조건부분이 True 일때 실행)


temperature = 8
if temperature <= 10:
    print("자켓을 입는다.")
else:
    print("자켓을 입지 않는다.")

#<Run>
#자켓을 입는다.

if/else 문 (조건부분이 True 일때 실행)


total = 85
if total >= 90:
    print("A")
elif total >= 80:
    print("B")
elif total >= 70:
    print("C")
elif total >= 60:
    print("D")
else:
    print("F")

#<Run>
#B

elif 문 (else + if 와 같은 의미)


i = 100

while True:
    # i가 23의 배수면 반복문을 끝냄
    if i % 23 == 0:
        break
    i += 1

print(i)

#<Run>
#115

break 문 (반복문을 강제로 종료함)


i = 0

while i < 15:
    i = i + 1

    # i가 홀수면 print(i) 안 하고 바로 조건 부분으로 돌아감
    if i % 2 == 1:
        continue
    print(i)

#<Run>
2
4
6
8
10
12
14

continue 문 (실행부분 중단하고 바로 조건부분 확인함)


댓글