# 데이터의 개수 입력
n = int( input() )
# 각 데이터를 공백을 기준으로 구분하여 입력
data = list( map( int, input().split() ) )
data.sort( reverse = True )
# 각 데이터를 문자열로 출력
data2 = input().split()
# 세개의 변수를 입력받아 출력
a, b, c = map( int, input().split() )
print( n )
print( data )
print( data2 )
print( a, b, c )
입력 ==========
5
10 20 30 40 50
50 40 30 20 10
1 2 3
출력 ==========
5
[50, 40, 30, 20, 10]
['50', '40', '30', '20', '10']
1 2 3
빠르게 입력받기
import sys
# 문자열 입력 받기
data = sys.stdin.readline().rstrip()
print(data)
입력 ==========
1 2 3 4 5
출력 ==========
1 2 3 4 5
자주 사용되는 표준 출력 방법
# 출력할 변수들
a = 1
b = 2
print( a, b)
print( 7, end=" ")
print( 8, end=" ")
# 출력할 변수
answer = 7
print( "정답은 " + str(answer) + "이다." )
1 2
7 8 정답은 7이다.
f-string
answer = 7
print( f"정답은 {answer}이다.")
정답은 7이다.
x = 15
if x >= 10:
print("x >= 10 ")
if x >= 0:
print("x >= 0")
if x >= 30:
print("x >= 30")
x >= 10
x >= 0
들여쓰기
score = 85
if score >= 70 :
print( '성적이 70점 이상입니다. ')
if score >= 90 :
print('우수한 성적입니다.')
else :
print('성적이 70점 미만입니다.')
print('조금 더 분발하세요.')
print( '프로그램을 종료합니다.')
성적이 70점 이상입니다.
프로그램을 종료합니다.
조건문의 기본 형태
a = -15
if a >= 0 :
print( "a >= 0")
elif a >= -10 :
print("0 > a >= -10")
else:
print("-10 > a")
-10 > a
비교 연산자
논리 연산자
if True or False:
print("Yes")
a = 15
if a <= 20 and a >= 0 :
print( "Yes" )
Yes
Yes
기타 연산자
pass 키워드
score = 85
if score >= 80 :
pass # 나중에 작성할 소스코드
else :
print( '성적이 80점 미만입니다.' )
print( '프로그램을 종료합니다.' )
프로그램을 종료합니다.
조건문의 간소화
score = 85
if score >= 80 : result = "Success"
else : result = "Fail"
print(result)
Success
score = 85
result = "Success" if score >= 80 else "Fail"
print(result)
Success
조건문 내에서의 부등식
x = 15
if x > 0 and x < 20 :
print( "x는 0이상 20 미만의 수이다." )
x = 15
if 0 < x < 20:
print( "x는 0이상 20 미만의 수" )
i = 1
result = 0
# i가 9보다 작거나 같을 때 아래 코드를 반복적으로 실행
while i <= 9:
if i % 2 == 1:
result += i
i += 1
print( result )
25
for문
array = [ 9, 8, 7, 6, 5 ]
for x in array:
print(x)
9
8
7
6
5
for문 - range()
result = 0
# i는 1부터 9까지의 모든 값을 순회
for i in range( 1 , 10 ) :
result += i
print( result )
45
continue 키워드
result = 0
for i in range(1, 10):
if i % 2 == 0:
continue
result += i
print(result)
25
break 키워드
i = 1
while True :
print( "현재 i의 값 : " , i)
if i == 5:
break
i += 1
현재 i의 값 : 1
현재 i의 값 : 2
현재 i의 값 : 3
현재 i의 값 : 4
현재 i의 값 : 5
scores = [90,85,77,65,97]
cheating_student_list = {2,4}
for i in range(5):
if i + 1 in cheating_student_list:
continue
if scores[i] >= 80:
print(i + 1, "번 학생은 합격입니다.")
1 번 학생은 합격입니다.
5 번 학생은 합격입니다.
format 키워드 사용
n = int( input() )
for i in range( 1, 10 ) : # 뒤에 10은 -> 10-1이라고 생각하면 됨
print( '{0} * {1} = {2}'.format( n, i, n * i ) ) # 즉 9번 돈다
위의 예제처럼 {0}, {1}, {2} 에 셋팅 값들이 1:1 매핑되어 들어간다.
3
3 * 1 = 3
3 * 2 = 6
3 * 3 = 9
3 * 4 = 12
3 * 5 = 15
3 * 6 = 18
3 * 7 = 21
3 * 8 = 24
3 * 9 = 27
역순으로 출력하기
n = int( input() )
for i in range( n, 0, -1 ) : # 두번째 매개변수 +1 까지 -1씩 감소
print( i )
5
5
4
3
2
1
def 함수명(매개변수):
실행할 소스코드
return 반환 값
def add(a, b):
return a + b
print(add(3, 7))
10
def add(a, b):
print( "함수의 결과 : " , a + b )
add(3,7)
함수의 결과 : 10
파라미터 지정하기
def add(a ,b ):
print( "함수의 결과 : " , a + b )
add( b = 3, a = 7)
함수의 결과 : 10
global 키워드
# 예제 1 =====
a = 0
def func():
global a
a += 1
for i in range(10):
func()
print(a)
# 예제 2 =====
array = [1,2,3,4,5]
def func() :
array = [3,4,5]
array.append(6)
print(array)
func()
print(array)
예제 1 =====
10
예제 2 =====
[3, 4, 5, 6]
[1, 2, 3, 4, 5]
여러 개의 반환 값
def operator( a, b) :
add_var = a + b
subtract_var = a - b
multiply_var = a * b
divide_var = a / b
return add_var , subtract_var , multiply_var , divide_var
a, b, c, d = operator( 7, 3)
print( "a : " + str(a) + "\n"
,"b : " + str(b) + "\n"
,"c : " + str(c) + "\n"
,"d : " + str(d) )
a : 10
b : 4
c : 21
d : 2.3333333333333335
람다 표현식
def add( a, b ):
return a + b
# 일반적인 add() 메서드 사용
print( add( 3, 7 ) )
# 람다 표현식으로 구현한 add() 메서드
print( ( lambda a, b: a + b )(3, 7) )
10
10
array = [ ('홍길동', 50) , ('이순신', 32) , ('아무개',74) ]
def my_key(x) :
return x[1]
print( sorted( array, key = my_key) )
print( sorted( array, key = lambda x: x[1] ) )
[('이순신', 32), ('홍길동', 50), ('아무개', 74)]
[('이순신', 32), ('홍길동', 50), ('아무개', 74)]
list1 = [ 1, 2, 3, 4, 5]
list2 = [ 6, 7, 8, 9, 10]
result = map( lambda a, b : a + b , list1, list2 )
print( list( result ) )
[7, 9, 11, 13, 15]
< Reference Site >
동빈나 https://www.youtube.com/watch?v=m-9pAwq1o3w&list=PLRx0vPvlEmdAghTr5mXQxGpHjWqSz0dgC&index=1