BOOTCAMP 5일차

2022. 6. 21. 16:16PYTHON 100 BOOTCAMP

For Loops, Range and Code Blocks

For Loop

for문 반복문

for item in list_items:
 #do something to each item

list와 결합해 사용가능

#For Loop with Lists
fruits = ["Apple", "Peach", "Pear"]
for fruit in fruits:
  print(fruit)          #for반복문 내부에 있다
  print(fruit + " Pie")
print(fruits)

#결과
Apple
Apple Pie
Peach
Peach Pie
Pear
Pear Pie
['Apple', 'Peach', 'Pear']

※들여쓰기 매우 중요※

 

실습1 - Average heights

키 리스트로부터 평균 학생 신장을 계산

# my codes
# 🚨 Don't change the code below 👇
# 키 리스트를 입력받음, 값 사이 띄어쓰기 처리
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])
# print(student_heights)
# 🚨 Don't change the code above 👆


#Write your code below this row 👇
sum = 0
for n in student_heights: # 리스트의 개수만큼 반복해 키 총합 구하기
  sum += n

student_num = 0           # 리스트의 개수만큼 인원수 총합 구하기
for a in student_heights:
  student_num += 1

average_heights = round(sum / student_num)

print(average_heights)
#solution codes
# 🚨 Don't change the code below 👇
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])
# print(student_heights)
# 🚨 Don't change the code above 👆

#Write your code below this row 👇

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)

max( )

최댓값 반환하는 함수

실습2 - Highest score

반에서 가장 높은 점수 출력

max함수 사용 금지

My codes
# 🚨 Don't change the code below 👇
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)
# 🚨 Don't change the code above 👆

#Write your code below this row 👇
highest_score = 0
for score in student_scores:  # 입력 리스트만큼 반복
  if score > highest_score :  
    highest_score = score     #큰 값을 highest_score에 넣는다
    
print(f"The highest score in the class is: {highest_score}")
solution codes
# 🚨 Don't change the code below 👇
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)
# 🚨 Don't change the code above 👆

#Write your code below this row 👇
highest_score = 0
for score in student_scores:
  if score > highest_score:
    highest_score = score
    # print(highest_score)

For loop문과 range 함수

위의 실습들은 for반복문과 list를 사용

range( )를 이용해 범위 안의 숫자만큼 반복수행 가능

for number in range (a,b): # a~(b-1)까지의 범위에서 반복
 print(number)
 
 
 # c만큼 증가해서 반복, 기본값은 1
 for number in range(a,b,c):
 print(number)

실습3 - Adding evens

#my codes
#Write your code below this row 👇
total_evens = 0
for n in range(1,101):
  if n % 2 == 0:  #짝수만
    total_evens += n
print(total_evens)
#solution codes
#Write your code below this row 👇

even_sum = 0
for number in range(2, 101, 2):   #2만큼 증가해 반복 -> 짝수만
  # print(number)
  even_sum += number
print(even_sum)
#or

# alternative_sum = 0
# for number in range(1, 101):
#   if number % 2 == 0:
#     # print(number)
#     alternative_sum += number
# print(alternative_sum)\

실습4 - FizzBuzz

내가 사고하는 방식을 시험하고 어떤 로직을 통해 문제 해결하는지 면접관이 파악가능

기본적으로 많은 아이들이 동그랗게 둘러앉아 시계방향으로 움직임

첫번째 아이가 1, 두번째 아이가 2

한 아이가 3으로 완전 나눠지는 숫자를 말 할 차례에 Fizz라 말해야한다

숫자 5로 나눠지면 Buzz

3과 5 둘 다 나눠지면 (ex. 15) FizzBuzz

#My codes
for number in range(1,101):
  if number % 3 == 0 and number % 5 == 0:  #먼저 해줘야 출력 1가지로 나온다
    print("FizzBuzz")
  elif number % 3 == 0:
    print("Fizz")
  elif number % 5 == 0:
    print("Buzz")
  else :
    print(number)
#solution codes
#Write your code below this row 👇

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.choice( )

wolud be want to randomly pick up an item from a List/sequence

-> 리스트/ 시퀀스에서 랜덤으로 고를 경우 사용

import random

a = ['one', 'eleven', 'twelve', 'five', 'six', 'ten']
print(a)

for i in range(5):
 print(random.choice(a))
 
 #output
 ['one', 'eleven', 'twelve', 'five', 'six', 'ten']
ten
eleven
six
twelve
twelve

random.shuffle(x)

This is used to shuffle the sequence in place. A sequence can be any list/tuple containing elements.

-> 리스트/튜플/시퀀스에서 구성요소들을 섞을 때 사용

import random
 
sequence = [random.randint(0, i) for i in range(10)]
 
print('Before shuffling', sequence)
 
random.shuffle(sequence)
 
print('After shuffling', sequence)

#output
Before shuffling [0, 0, 2, 0, 4, 5, 5, 0, 1, 9]
After shuffling [5, 0, 9, 1, 5, 0, 4, 2, 0, 0]

오늘의 프로젝트 - Pypassword Generator

문자, 기호, 숫자의 개수를 입력받아 비밀번호를 만들어줌

Easy Level

입력받은 순서대로 출력

#Password Generator Project
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("Welcome to the PyPassword Generator!")
nr_letters= int(input("How many letters would you like in your password?\n")) 
nr_symbols = int(input(f"How many symbols would you like?\n"))
nr_numbers = int(input(f"How many numbers would you like?\n"))

Eazy Level - Order not randomised:
#e.g. 4 letter, 2 symbol, 2 number = JduE&!91
passward = ""
for letter in range (1,nr_letters+1):
  passward += random.choice(letters)
  
for symbol in range(1,nr_symbols+1):
  passward += random.choice(symbols)
  
for number in range(1,nr_numbers+1):
  passward += random.choice(numbers)

print(passward)

Hard Level 

입력받은 숫자, 기호 ,글자를 섞어 출력

#Password Generator Project
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("Welcome to the PyPassword Generator!")
nr_letters= int(input("How many letters would you like in your password?\n")) 
nr_symbols = int(input(f"How many symbols would you like?\n"))
nr_numbers = int(input(f"How many numbers would you like?\n"))

#Hard Level - Order of characters randomised:
#e.g. 4 letter, 2 symbol, 2 number = g^2jk8&P
password_list = [] #문자열 대신 리스트로 만듬, 더 쉬움

for char in range(1, nr_letters + 1):
#새 항목을 리스트에 추가, 기존 리스트를 업데이트
  password_list.append(random.choice(letters)) 

for char in range(1, nr_symbols + 1):
  password_list += random.choice(symbols)

for char in range(1, nr_numbers + 1):
  password_list += random.choice(numbers)

print(password_list) # 섞기 전 리스트
random.shuffle(password_list)   #리스트 섞는 법, for반복문 사용가능
print(password_list) #섞고 난 리스트

password = "" #변수추가, 빈 문자열로 만들어줌
for char in password_list:  #리스트를 문자열로 만듬
  password += char

print(f"Your password is: {password}")

solution code를 참고하며 작성했기때문에 따로 작성 안 함


출처 : https://www.askpython.com/python-modules/python-random-module-generate-random-numbers-sequences 

'PYTHON 100 BOOTCAMP' 카테고리의 다른 글

BOOTCAMP 4일차  (0) 2022.06.18
BOOTCAMP 3일차  (0) 2022.06.14
BOOTCAMP 2일차  (0) 2022.06.11
BOOTCAMP 1일차  (0) 2022.06.10