Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | |||||
3 | 4 | 5 | 6 | 7 | 8 | 9 |
10 | 11 | 12 | 13 | 14 | 15 | 16 |
17 | 18 | 19 | 20 | 21 | 22 | 23 |
24 | 25 | 26 | 27 | 28 | 29 | 30 |
Tags
- 으
- 알고풀자
- 스마일게이트
- Enhanced Input System
- Jinja2
- Express
- 프메
- EnhancedInput
- node
- R
- 데이터베이스
- flask
- 카렌
- 디자드
- Ajax
- 정글사관학교
- 마인크래프트뮤지컬
- 미니프로젝트
- 언리얼
- 언리얼프로그래머
- 레베카
- Bootstrap4
- 스터디
- 게임개발
- 프린세스메이커
- 파이썬서버
- JWT
- VUE
- 언리얼뮤지컬
- Unseen
Archives
- Today
- Total
Showing
[알고리즘] 순열과 SWEA 최소 생산 비용 본문
기본 순열 코드
jam = ['A','B','C']
pos = ['','','']
check = [0,0,0]
def perm(depth):
if depth == 3:
print(*pos)
return
for i in range(3): # 0 1 2
if not check[i]:
check[i] = 1
pos[depth] = jam[i] # jam[i] = A B C
perm(depth+1)
check[i] = 0
perm(0)
최종 출력:
A B C
A C B
B A C
B C A
C A B
C B A
SWEA 최소 생산 비용
위 문제를 요약하면 다음과 같다.
공장과 공장에서 생산 가능한 제품이 있다.
공장별로 각 제품을 생산할 때의 비용이 다르다.
공장들은 서로 다른 제품을 생산해야 한다.
공장들이 서로 다른 제품을 생산해낼 때의 비용을 모두 합해서 최소 비용이 나오는 경우의 비용을 출력해야하는 문제이다.
소요시간 : 약 20분
처음 코드(테스트케이스 10개 중 6개 정답)
T = int(input())
def perm(depth, cost):
global pos, check, N, costs
if depth == N:
costs.append(cost)
return
for i in range(N):
if not check[i]:
check[i] = 1
cost += int(pos[depth][i])
perm(depth+1, cost)
check[i] = 0
cost -= pos[depth][i]
for i in range(T):
N = int(input())
pos = []
costs = []
check = [0] * N
for j in range(N):
pos.append(list(map(int, input().split())))
perm(0, 0)
print(f"#{i+1} {min(costs)}")
최종 코드
‘중간 단계에서 이미 다른 최종 비용보다 값이 커진다면 해당 경우의 수는 더 이상 검토할 필요가 없다.’
cost가 넘어갈 때는 재귀를 돌리지 않음으로써 시간 초과를 해결하였다.
T = int(input())
def perm(depth, cost):
global pos, check, N, costs
if depth == N:
costs.append(cost)
return
for i in range(N):
if not check[i]:
check[i] = 1
cost += int(pos[depth][i])
if costs and min(costs) < cost:
check[i] = 0
cost -= pos[depth][i]
else:
perm(depth+1, cost)
check[i] = 0
cost -= pos[depth][i]
for i in range(T):
N = int(input())
pos = []
costs = []
check = [0] * N
for j in range(N):
pos.append(list(map(int, input().split())))
perm(0, 0)
print(f"#{i+1} {min(costs)}")
'컴퓨터 공학, 전산학 > 알고리즘' 카테고리의 다른 글
[알고리즘] 더하기 알고리즘 (0) | 2024.02.21 |
---|---|
[백준] 오르막길 파이썬, C++ (0) | 2024.02.02 |
[분할정복, python] 색종이 만들기 (스택과 재귀함수로 풀어보기) (1) | 2023.12.23 |
[완전탐색, SWEA] 스도쿠 검증 (1) | 2023.12.22 |
[DFS, SWEA] 미로 (0) | 2023.12.22 |