영선이는 매우 기쁘기 때문에, 효빈이에게 스마일 이모티콘을 S개 보내려고 한다.
영선이는 이미 화면에 이모티콘 1개를 입력했다. 이제, 다음과 같은 3가지 연산만 사용해서 이모티콘을 S개 만들어 보려고 한다.
화면에 있는 이모티콘을 모두 복사해서 클립보드에 저장한다.
클립보드에 있는 모든 이모티콘을 화면에 붙여넣기 한다.
화면에 있는 이모티콘 중 하나를 삭제한다.
모든 연산은 1초가 걸린다. 또, 클립보드에 이모티콘을 복사하면 이전에 클립보드에 있던 내용은 덮어쓰기가 된다. 클립보드가 비어있는 상태에는 붙여넣기를 할 수 없으며, 일부만 클립보드에 복사할 수는 없다. 또한, 클립보드에 있는 이모티콘 중 일부를 삭제할 수 없다. 화면에 이모티콘을 붙여넣기 하면, 클립보드에 있는 이모티콘의 개수가 화면에 추가된다.
영선이가 S개의 이모티콘을 화면에 만드는데 걸리는 시간의 최솟값을 구하는 프로그램을 작성하시오.
첫째 줄에 S (2 ≤ S ≤ 1000) 가 주어진다.
첫째 줄에 이모티콘을 S개 만들기 위해 필요한 시간의 최솟값을 출력한다.
import sys
input = sys.stdin.readline
s = int(input())
cache = {}
def copyAll(q, node):
if cache.get((node, node)): return
cache[(node, node)] = True
q.append((node, node))
def paste(q, node, clip):
result = node + clip
if cache.get((result, clip)): return
cache[(result, clip)] = True
q.append((result, clip))
def deleteOne(q, node, clip):
result = node - 1
if cache.get((result, clip)): return
cache[(result, clip)] = True
q.append((result, clip))
def bfs(start, end):
q = [(start, 0)]
cache[(start, 0)] = True
result = 0
while q:
tmp = []
for node, clip in q:
if node == end: return result
copyAll(tmp, node)
paste(tmp, node, clip)
deleteOne(tmp, node, clip)
q = tmp
result += 1
print(bfs(1,s))
import java.util.HashMap;
import java.util.LinkedList;
import java.util.Queue;
import java.util.Scanner;
class Main {
static HashMap<String, Boolean> cache = new HashMap<>();
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int s = scanner.nextInt();
scanner.close();
System.out.println(bfs(1,s));
}
private static int bfs(int start, int end) {
Queue<Node> q = new LinkedList<>();
int result = 0;
q.add(new Node(start, 0));
while (!q.isEmpty()) {
int size = q.size();
for (int i=0; i<size; i++) {
Node node = q.poll();
if (node.s == end) return result;
copyAll(node, q);
paste(node, q);
deleteOne(node, q);
}
result++;
}
return result;
}
private static void copyAll(Node node, Queue<Node> q) {
Node result = new Node(node.s, node.s);
String key = result.toString();
if (cache.containsKey(key)) return;
cache.put(key, true);
q.add(result);
}
private static void paste(Node node, Queue<Node> q) {
Node result = new Node(node.s+node.c, node.c);
String key = result.toString();
if (cache.containsKey(key)) return;
cache.put(key, true);
q.add(result);
}
private static void deleteOne(Node node, Queue<Node> q) {
Node result = new Node(node.s-1, node.c);
String key = result.toString();
if (cache.containsKey(key)) return;
cache.put(key, true);
q.add(result);
}
}
class Node {
int s,c;
public Node(int s, int c) {
this.s = s;
this.c = c;
}
@Override
public String toString() {
return String.format("%s %s", s, c);
}
}