반응형
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 |
Tags
- boj #19237 #어른 상어
- Docker
- 성적평가
- BFS
- compose
- BOJ
- softeer
- 퇴사통보
- upper_bound
- 연결요소
- dfs
- 6987
- Kafka
- 파라메트릭
- @P0
- 오퍼레터
- 매개변수탐색
- 이분탐색
- 백트래킹
- 경력
- msSQL
- OFFSET
- 기술면접
- 13908
- 처우협의
- 물채우기
- incr
- 백준
- 소프티어
- 처우산정
Archives
- Today
- Total
기술 블로그
1967번 트리의 지름 본문
728x90
반응형
처음에는 BFS를 1 ~ 정점 끝까지 다 돌면서, 최댓값을 구하려고 했으나 생각해보니 너무 비효율적이었다.
그래서 다른 분의 글을 보았는데, 요약하자면
트리의 지름은 우선 아무 정점(여기에서 나는 편하게 root 노드로 잡았다.)에서 출발하여
가장 먼 곳에 있는 정점을 찾는다. 찾은 이 정점은 트리의 지름에 해당하는 두 정점 중 하나이다.
그러므로, 이 정점에서 다시 가장 먼 곳에 있는 정점을 찾으면 이 두 개의 정점이 트리의 지름에 해당한다.
이 문제는 '가중치'를 활용한 문제이다.
내가 참고한 글 2개
1. http://blog.sisobus.com/2013/10/backjoon-online-judge-no1967.html#.W7BSDWgzZPZ
2. http://blog.myungwoo.kr/112
https://www.acmicpc.net/problem/1967
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 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 | #include <iostream> #include <queue> #include <cstdio> #include <vector> #include <cstring> #include <string> #include <math.h> #include <algorithm> using namespace std; int N = 0; vector<pair<int, int> > v[10001]; // child, weight bool visit[10001] = { false, }; int V = 0, W = 0; int sum[10001] = { 0, };; void BFS(int start) { memset(visit, false, sizeof(visit)); queue<int> q; q.push(start); while (!q.empty()) { int qSize = q.size(); while (qSize--) { int here = q.front(); q.pop(); if (visit[here]) continue; visit[here] = true; for (int i=0; i<v[here].size(); i++) { int next_vertex = v[here].at(i).first; if (!visit[next_vertex]) { q.push(next_vertex); sum[next_vertex] += v[here].at(i).second + sum[here]; if (W < sum[next_vertex]) { W = sum[next_vertex]; V = next_vertex; } } } } } } int main(void) { int parent = 0, child = 0, weight = 0; scanf("%d", &N); for (int i = 0; i < N - 1; i++) { scanf("%d %d %d", &parent, &child, &weight); v[parent].push_back({ child, weight }); v[child].push_back({ parent, weight }); } BFS(1); memset(sum, 0, sizeof(sum)); BFS(V); printf("%d\n", W); return 0; } | cs |
728x90
반응형
'알고리즘 문제 > BOJ' 카테고리의 다른 글
11656번 접미사 배열 (0) | 2018.09.30 |
---|---|
1167번 트리의 지름 (0) | 2018.09.30 |
1991번 트리 순회 (0) | 2018.09.30 |
11375번 열혈강호 (0) | 2018.09.29 |
2188번 축사 배정 (0) | 2018.09.29 |