본문 바로가기

Algorithm/String

(C++) - 백준(BOJ) 1764번 : 듣보잡

반응형

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

 

1764번: 듣보잡

첫째 줄에 듣도 못한 사람의 수 N, 보도 못한 사람의 수 M이 주어진다. 이어서 둘째 줄부터 N개의 줄에 걸쳐 듣도 못한 사람의 이름과, N+2째 줄부터 보도 못한 사람의 이름이 순서대로 주어진다. 이름은 띄어쓰기 없이 영어 소문자로만 이루어지며, 그 길이는 20 이하이다. N, M은 500,000 이하의 자연수이다.

www.acmicpc.net

풀이 1 : 중복을 제거하고 사전순으로 정렬해주는 set이라는 자료구조를 사용했습니다.

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
#include <iostream>
#include <string>
#include <set>
using namespace std;
string s;
set<string> a;
set<string> ans;
//중복을 제거하고 사전순으로 정렬해주는 set이라는 자료구조를 사용했습니다.
int main() {
    ios_base::sync_with_stdio(0);
    cin.tie(0);
    int n,m;
    cin >> n >> m;
    for (int i = 0; i < n; i++)
    {
        cin >> s;
        a.insert(s);
    }
    for (int i = 0; i < m; i++)
    {
        cin >> s;
        auto it = a.find(s);
        if (it != a.end())//이미 존재한다면
            ans.insert(s);
    }
    cout << ans.size() << '\n';
    for (auto it = ans.begin(); it != ans.end(); it++)
        cout << *it << endl;
}
cs

풀이 2 : 우선순위 큐와 map으로 풀었습니다.

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
#include <iostream>
#include <algorithm>
#include <cstring>
#include <queue>
#include <string>
#include <map>
using namespace std;
int main() {
    int n, m;
    map <stringint> ma;
    cin >> n >> m;
    for (int i = 0; i < n; i++) {
        string k;
        cin >> k;
        ma[k] = 1;
    }
    priority_queue <string,vector<string>, greater<string>  >pq;
    for (int i = 0; i < m; i++) {
        string k;
        cin >> k;
        if (ma[k] == 1)
            pq.push(k);
    }
    cout << pq.size()<<'\n';
    while (!pq.empty()) {
        cout << pq.top() << '\n';
        pq.pop();
    }
}
cs