14425번 : 문자열 집합
총 N개의 문자열로 이루어진 집합 S가 주어진다.
입력으로 주어지는 M개의 문자열 중에서 집합 S에 포함되어 있는 것이 총 몇 개인지 구하는 프로그램을 작성하시오.
입력
첫째 줄에 문자열의 개수 N과 M (1 ≤ N ≤ 10,000, 1 ≤ M ≤ 10,000)이 주어진다.
다음 N개의 줄에는 집합 S에 포함되어 있는 문자열들이 주어진다.
다음 M개의 줄에는 검사해야 하는 문자열들이 주어진다.
입력으로 주어지는 문자열은 알파벳 소문자로만 이루어져 있으며, 길이는 500을 넘지 않는다. 집합 S에 같은 문자열이 여러 번 주어지는 경우는 없다.
출력
첫째 줄에 M개의 문자열 중에 총 몇 개가 집합 S에 포함되어 있는지 출력한다.
생각해 볼 점
굳이 트라이를 안써도 되지만, 트라이 연습 문제이므로 트라이로 풉니다.
코드
#include <iostream>
#include <cstring>
//트라이 클래스
class Trie
{
private:
bool is_terminal;
Trie* children[26];
public:
Trie();
void insert(const char*);
bool is_exist(const char*);
};
//생성자
Trie::Trie()
{
is_terminal = false;
memset(children, 0, sizeof(children));
}
//트라이 트리의 생성
void Trie::insert(const char* keyword)
{
if (*keyword == '\0')
{
is_terminal = true;
return;
}
int index = *keyword - 97;
if (children[index] == 0) children[index] = new Trie();
children[index]->insert(keyword + 1);
}
//존재하는 키워드인지 체크
bool Trie::is_exist(const char* keyword)
{
if (*keyword == '\0')
{
if (is_terminal) return true;
else return false;
}
int index = *keyword - 97;
if (children[index] == 0) return false;
return children[index]->is_exist(keyword + 1);
}
int main()
{
int N, M;
scanf("%d %d", &N, &M);
Trie root = Trie();
while(N--)
{
char input[501];
scanf("%s", input);
root.insert(input);
}
int ans = 0;
while(M--)
{
char input[501];
scanf("%s", &input);
if (root.is_exist(input)) ans++;
}
printf("%d", ans);
return 0;
}
그 외
트라이는 메모리를 아주 많이 잡아먹는 알고리즘 같습니다.
'공부 및 정리 > 백준 코드' 카테고리의 다른 글
[C++]백준 - 1015번 문제 (0) | 2021.11.30 |
---|---|
[C++]백준 - 16500번 문제 (0) | 2021.11.29 |
[C++]백준 - 10266번 문제 (0) | 2021.11.23 |
[C++]백준 - 9333번 문제 (0) | 2021.11.23 |
[C++]백준 - 14725번 문제 (0) | 2021.11.22 |