for 반복문

특정 코드를 반복해서 실행할 때 사용하는 기본적인 구문.

for 반복자 in 반복할 수 있는 것 :
    코드

반복문을 활용한 평균 키 구하기

student_heights = input("Input a list of student heights ").split()
for n in range(0, len(student_heights)):
  student_heights[n] = int(student_heights[n])

total_height = 0
for height in student_heights:
  total_height += height
print(f"total height = {total_height}")

number_of_students = 0
for student in student_heights:
  number_of_students += 1
print(f"number of students = {number_of_students}")

average_height = round(total_height / number_of_students)
print(average_height)

반복문과 조건문을 활용한 가장 높은 점수 구하기

student_scores = input("Input a list of student scores ").split()
for n in range(0, len(student_scores)):
  student_scores[n] = int(student_scores[n])
print(student_scores)

higher_score = 0
for score in student_scores :
  if score > higher_score :
    higher_score = score

print(higher_score)

Fizz Buzz 게임 만들기

규칙 : 3으로 나누어지면 Fizz, 5로 나누어지면 Buzz, 3과 5로 나누어지면 FizzBuzz를 출력하는 게임이다.

for number in range(1, 101):
  if number % 3 == 0 and number % 5 == 0:
    print("FizzBuzz")
  elif number % 3 == 0:
    print("Fizz")
  elif number % 5 == 0:
    print("Buzz")
  else:
    print(number)

반복문과 random 모듈을 활용한 비밀번호 생성기

random.shuffle()함수는 리스트의 순서를 무작위로 섞어준다.

import random

letters = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z']
numbers = ['0', '1', '2', '3', '4', '5', '6', '7', '8', '9']
symbols = ['!', '#', '$', '%', '&', '(', ')', '*', '+']

print("비밀번호 생성기에 오신것을 환영합니다.")
nr_letters = int(input("얼마나 많은 수의 알파벳을 넣고 싶으신가요?\\n"))
nr_symbols = int(input(f"얼마나 많은 수의 심볼을 넣고 싶으신가요?\\n"))
nr_numbers = int(input(f"얼마나 많은 수의 숫자를 넣고 싶으신가요?\\n"))

password = []

for n in range(0,nr_letters) :
    password +=random.choice(letters)

for n in range(0,nr_symbols) :
    password +=random.choice(symbols)

for n in range(0,nr_numbers) :
    password +=random.choice(numbers)

random.shuffle(password)

final_password = "".join(password)
print(final_password)