[백준] 18250 철도 여행

0

백준

목록 보기
111/271
post-thumbnail

백준 18250 철도 여행

  • https://www.acmicpc.net/problem/18250

  • 오일러 서킷/트레일 문제

  • 철도 여행: 정점이 각 도시를 나타내고, 간선이 두 도시를 연결하는 철도를 나타내는 무방향 그래프의 오일러 서킷/트레일

풀이

유의할 점

  • 그래프의 모든 정점이 하나의 컴포넌트에 포함되지 않을 수 있다
    -> dfsAll 에서 각 컴포넌트에서 필요한 여행 횟수를 구해서 총 철도 여행 횟수에 더해준다

  • 철도가 연결되지 않은 도시가 있을 수 있다
    -> 철도 여행이 아니기 때문에 총 철도 여행 횟수에 포함되지 않는다
    ex.
    input:
    5 2
    1 2
    3 4
    wrong: 3
    answer: 2

코드

  • 정점의 개수 N (1 ≤ N ≤ 200,000), 간선의 개수 M(1 ≤ M ≤ 300,000)
    -> 인접 행렬 표현을 사용할 경우 O(N^2)의 메모리 사용 (메모리 초과)
    -> 인접 리스트 표현을 사용할 경우 O(N + M)의 메모리 사용
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;

//도시의 개수, 두 도시를 연결하는 철도의 개수
int n, m;

//그래프의 인접 리스트 표현
vector<vector<int>> adj;

//dfsAll을 통해 방문한 정점
vector<int> visited;

//dfs를 통해 방문한 컴포넌트에 포함된 정점
vector<int> component;

//철도 여행 횟수
int cnt = 0;

void dfs(int here) {
	visited[here] = 1;

	for (int i = 0; i < adj[here].size(); ++i) {
		int there = adj[here][i];
		if (!visited[there])
			dfs(there);
	}
	component.push_back(here);
}

void dfsAll() {
	visited = vector<int>(n, 0);

	for (int i = 0; i < n; ++i) {
		if (!visited[i]) {
			component.clear();
			dfs(i);

			//철도가 연결되지 않은 도시인 경우 철도 여행 횟수에 포함되지 않는다
			if (component.size() == 1 && adj[i].size() == 0) continue;

			//방문한 컴포넌트의 모든 정점을 방문하기 위해 필요한 철도 여행의 수 계산
			int oddNode = 0;
			for (int i = 0; i < component.size(); ++i) {
				int node = component[i];
				if(adj[node].size() % 2) oddNode++;
			}

			if (oddNode == 0 || oddNode == 2) cnt += 1;
			else cnt += (oddNode / 2);
		}
	}
}


int main() {
	ios_base::sync_with_stdio(false);
	cin.tie(NULL);
	cout.tie(NULL);

	cin >> n >> m;

	adj = vector<vector<int>>(n, vector<int>(0));
	for (int i = 0; i < m; ++i) {
		int u, v;
		cin >> u >> v;

		adj[u-1].push_back(v-1);
		adj[v-1].push_back(u-1);
	}

	dfsAll();
	cout << cnt;
	return 0;
}

📌 참고자료

profile
Be able to be vulnerable, in search of truth

0개의 댓글