나무위키에 올라온 사진들을 보며 코드를 작성했다.
MAX값을 2147483647 즉 signed int 의 MAX로 하다보니, 출력에서 꼬여가지고 출력초과과 떴었다.
백준의 출력 용량은 최대 1 MB이다
그 다음에 MAX값을 변경해서 제출하니 시간초과가 뜨는 것이다.
우선순위 큐로 작업하지않고, 리스트에 다 담아서 작업했었음.
그래서 큐에서 값이 변경될 경우에 offer해줬고, 성공했다.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import java.io.*; | |
import java.util.*; | |
class Node implements Comparable<Node>{ | |
public int V,W; | |
public Node(int V, int W){ | |
this.V = V; // U -> V 할때 V | |
this.W = W; // U -> V 의 가중치 | |
} | |
@Override | |
public int compareTo(Node arg0) { | |
return this.W - arg0.W; // 오름차순 정렬 | |
} | |
} | |
/** | |
* BOJ 1753 최단경로 | |
*/ | |
public class Main{ | |
public static void main(String[] args) throws IOException{ | |
BufferedReader br = new BufferedReader(new InputStreamReader(System.in)); | |
BufferedWriter bw = new BufferedWriter(new OutputStreamWriter(System.out)); | |
// Node 개수와 엣지 개수를 입력받음 | |
String str1[] = br.readLine().split(" "); | |
int V = Integer.parseInt(str1[0]); | |
int E = Integer.parseInt(str1[1]); | |
PriorityQueue<Node> edges[] = new PriorityQueue[V+1]; | |
Queue<Integer> tempQueue = new LinkedList<>(); | |
for(int i = 1; i<=V; i++) | |
edges[i] = new PriorityQueue<>(); | |
// 시작 정점 입력받고, 가중치 배열 생성 | |
int K = Integer.parseInt(br.readLine()); | |
int W[] = new int[V+1]; | |
Arrays.fill(W, 9898798); | |
W[K] = 0; | |
// 시작정점 담아준다. | |
for(int i = 0; i<E; i++){ | |
String str2[] = br.readLine().split(" "); | |
int u = Integer.parseInt(str2[0]); | |
int v = Integer.parseInt(str2[1]); | |
int w = Integer.parseInt(str2[2]); | |
edges[u].offer(new Node(v, w)); | |
} | |
tempQueue.offer(K); | |
while(!tempQueue.isEmpty()){ | |
int s = tempQueue.poll(); // 시작 | |
Iterator it = edges[s].iterator(); | |
while(it.hasNext()){ | |
Node tempNode = (Node) it.next(); | |
if (W[tempNode.V] > tempNode.W + W[s]) { | |
tempQueue.add(tempNode.V); | |
} | |
W[tempNode.V] = Math.min(tempNode.W + W[s], W[tempNode.V]); | |
} | |
} | |
// 값 출력 | |
for(int i = 1; i<=V; i++){ | |
if(W[i] == 9898798) | |
bw.write("INF"); | |
else | |
bw.write(String.valueOf(W[i])); | |
bw.write("\n"); | |
} | |
bw.flush(); | |
} | |
} |
'IT > 알고리즘' 카테고리의 다른 글
BOJ 14852 타일채우기 3 풀이 (0) | 2017.10.18 |
---|---|
BOJ 2309 일곱난쟁이 풀이 (0) | 2017.10.18 |
BOJ 2065 줄 세우기 (0) | 2017.10.18 |
BOJ 11404 플로이드 Floyd-Warshall (0) | 2017.10.18 |
BOJ 1717 집합의 표현 disjoint-set (0) | 2017.10.17 |