문제집 추천, 이 문제집에 나온 유형들만 공부해도 코딩테스트는 거뜬: https://www.acmicpc.net/workbook/by/BaaaaaaaaaaarkingDog
https://www.acmicpc.net/problem/12852
유사한 문제, 이전 버전 문제: https://hyundoil.tistory.com/78
문제
정수 X에 사용할 수 있는 연산은 다음과 같이 세 가지 이다.
- X가 3으로 나누어 떨어지면, 3으로 나눈다.
- X가 2로 나누어 떨어지면, 2로 나눈다.
- 1을 뺀다.
정수 N이 주어졌을 때, 위와 같은 연산 세 개를 적절히 사용해서 1을 만들려고 한다. 연산을 사용하는 횟수의 최솟값을 출력하시오.
출력
첫째 줄에 연산을 하는 횟수의 최솟값을 출력한다.
둘째 줄에는 N을 1로 만드는 방법에 포함되어 있는 수를 공백으로 구분해서 순서대로 출력한다. 정답이 여러 가지인 경우에는 아무거나 출력한다.
예제 입력 1
2
예제 출력 1
1
2 1
예제 입력 2
10
예제 출력 2
3
10 9 3 1
import sys
if __name__=="__main__":
N = int(input())
dp=[0]*(N+1)
recode = [[i] for i in range(N+1)]
for i in range(2,N+1):
dp[i] = dp[i-1]+1
temp_recode = recode[i-1]
if i%3==0:
if dp[i] >= dp[i//3]+1:
dp[i] = dp[i//3]+1
temp_recode = recode[i//3]
if i%2==0:
if dp[i] >= dp[i//2]+1:
dp[i] = dp[i//2]+1
temp_recode = recode[i//2]
recode[i].extend(temp_recode)
print(dp[N])
print(*recode[N])
+ 추가
리스트가 2개인게 마음에 안든다. dp 리스트는 없어도 되지 않을까?
import sys
sys.stdin = open('input.txt', 'r')
def solution(N):
recode = [[i] for i in range(N+1)]
for i in range(2, N+1):
temp_recode = recode[i-1]
if i%3==0:
if len(temp_recode) > len(recode[i//3]):
temp_recode = recode[i//3]
if i % 2 == 0:
if len(temp_recode) > len(recode[i//2]):
temp_recode = recode[i//2]
recode[i].extend(temp_recode)
print(len(recode[N]) - 1) # 연산 횟수
print(*recode[N]) # 연산 과정
if __name__ == "__main__":
N = int(input())
solution(N)