과거 프로그래밍 자료들/코딩테스트
[백준] python 코딩테스트 - 기초(10869, 1330, 2438, 2439, 2442)
평부
2022. 9. 19. 23:19
출처 : http://www.yes24.com/Product/Goods/107478270
* 사칙연산(10869)
https://www.acmicpc.net/problem/10869
- 일반적인 사칙연산
a, b = map(int, input().split())
print(a+b)
print(a-b)
print(a*b)
print(int(a/b))
print(a%b)
- 함수를 사용할 때
def sum(A, B):
2
return A+B
3
def sub(A, B):
4
return A-B
5
def mul(A, B):
6
return A*B
7
def div(A, B):
8
return int(A/B)
9
def sur(A, B):
10
return A%B
11
12
a, b = map(int, input().split())
13
print(sum(a, b))
14
print(sub(a, b))
15
print(mul(a, b))
16
print(div(a, b))
17
print(sur(a, b))
* 두 수 비교하기(1330)
https://www.acmicpc.net/problem/1330
a, b = map(int, input().split())
if a > b:
print(">")
elif a < b:
print("<")
else:
print("==")
* 별 찍기 - 1 (2438)
https://www.acmicpc.net/problem/2438
n = int(input())
for i in range(n):
for j in range(i+1):
print("*", end="")
print()
* 별 찍기 - 2 (2439)
https://www.acmicpc.net/problem/2439
n = int(input())
for i in range(n):
# n=5이고 i=0 5-0-1 = 4
# n=5이고 i=1 5-1-1 = 3
# n=5이고 i=2 5-2-1 = 2
# n=5이고 i=3 5-3-1 = 1
# n=5이고 i=4 5-4-1 = 0
for j in range(n-i-1): #빈 칸을 생성
print(" ", end="")
for j in range(i+1):
print("*", end="")
print()
* 별 찍기 - 5 (2442)
https://www.acmicpc.net/problem/2442
n = int(input())
for i in range(n): #n이 5일 때 5줄 생성
for j in range(n-i-1): #위의 예시처럼 i가 커질수록 작아지는 빈칸 생성
print(" ", end="")
for j in range(2*i+1): #1 3 5 7 9 = 2i+1
print("*", end="")
print()