Posts 백준 5052 전화번호 목록 c++
Post
Cancel

백준 5052 전화번호 목록 c++

문제

https://www.acmicpc.net/problem/5052

문제해설

전화번호들의 목록이 주어지면 목록이 일관성이 있는지 판단해주면 된다.
예를 들어

  • 911
  • 97 625 999
  • 91 12 54 26

이렇게 3개의 번호가 주어진다면 이 목록은 일관성이 없는 것이다.
왜냐하면 3번째 번호로 전화를 거려고 911을 누르는 순간 첫번째 번호로 전화가 가기 때문이다.

일관성을 판단해서 일관성이 있다면 YES를 아니라면 NO를 출력하면 된다.

문제풀이

이 문제는 Trie 알고리즘을 이용해 해결할 수 있다.
트라이 알고리즘은 문자열 탐색 알고리즘이다.

Trie를 생성해주고 전화번호를 받아 삽입해준다.
그리고 다시 전화번호를 돌며 find함수를 통해 일관성이 있는지 없는지 판단한다.

전체코드

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
#include<iostream>
#include<algorithm>
using namespace std;

struct Trie {
	Trie* next[10];
	bool finish;
	bool nextChild;

	Trie() {
		fill(next, next + 10, nullptr);
		finish = nextChild = false;
	}

	~Trie() {
		for (int i = 0; i < 10; i++) {
			if (next[i])
				delete next[i];
		}
	}

	void insert(char* key) {
		if (*key == '\0') {
			finish = true;
		}
		else {
			int now = *key - '0';

			if (next[now] == NULL)
				next[now] = new Trie();
			nextChild = true;

			next[now]->insert(key + 1);
		}
	}

	bool find(char* key) {
		if (*key == '\0')
			return 0;
		if (finish)
			return 1;
		int now = *key - '0';
		return next[now]->find(key + 1);
	}
};

int main() {
	ios::sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL);
	int t; cin >> t;
	while (t--)	{
		int n; cin >> n;
		char arr[10001][11];
		Trie* root = new Trie();

		for (int i = 0; i < n; i++) {
			cin >> arr[i];
			root->insert(arr[i]);
		}
		bool tmp = false;
		for (int i = 0; i < n; i++) {
			if (root->find(arr[i]))
				tmp = true;
		}
		tmp ? cout << "NO\n" : cout << "YES\n";
		delete root;
	}
	return 0;
}

백준 12437 새로운 달력 (Small) java

스프링 테스트 오류 Test events were not received

Comments powered by Disqus.