반응형

문제 링크: https://www.acmicpc.net/problem/14426

 

14426번: 접두사 찾기

문자열 S의 접두사란 S의 가장 앞에서부터 부분 문자열을 의미한다. 예를 들어, S = "codeplus"의 접두사는 "code", "co", "codepl", "codeplus"가 있고, "plus", "s", "cude", "crud"는 접두사가 아니다. 총 N개의 문자

www.acmicpc.net

<문제 풀이> 트라이(Trie)

 

트라이를 사용해서 문자열 삽입, 검색

 

<C++소스코드>

 
#include<iostream>
#include<string>
#include<cstring>
using namespace std;

class Trie {
public:
	static const int MX = 10000 * 500;
	static const int ROOT = 1;
	int unused = 2;
	int nxt[MX + 1][26];
	Trie() {
		memset(nxt, 0xff, sizeof(nxt));
	}

	void insert(const string& s) {
		int cur = ROOT;
		for (auto& c : s) {
			if (nxt[cur][c - 'a'] == -1) nxt[cur][c - 'a'] = unused++;
			cur = nxt[cur][c - 'a'];
		}
	}
	bool find(const string& s) {
		int cur = ROOT;
		for (auto& c : s) {
			if (nxt[cur][c - 'a'] == -1) return false;
			cur = nxt[cur][c - 'a'];
		}
		return true;
	}
};

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

	Trie* trie = new Trie();
	int n, m; cin >> n >> m;
	for (int i = 0; i < n; i++) {
		string s; cin >> s;
		trie->insert(s);
	}
	int ans = 0;
	for (int i = 0; i < m; i++) {
		string s; cin >> s;
		ans += trie->find(s);
	}
	cout << ans;
	return 0;
}
반응형

'알고리즘 문제풀이 > 백준' 카테고리의 다른 글

[백준 1719번] 택배  (1) 2023.10.16
[백준 5052번] 전화번호 목록  (0) 2023.10.05
[백준 10217번] KCM Travel  (1) 2023.10.04
[백준 1948번] 임계경로  (1) 2023.10.04
[백준 24042번] 횡단보도  (1) 2023.10.04

+ Recent posts