반응형
문제 출처 :
https://www.acmicpc.net/problem/7785
알고리즘 분석 :
문제 해결에 필요한 사항
1. map STL
이 문제는 map을 이용하여 해결 할 수 있는 문제이다.
enter인 경우 name을 key로 하고 value를 1로 두고
leave인 경우 name을 key로 하고 value를 0으로 두어
map을 역순 출력하며 value가 1인 name을 출력하면 정답을 얻을 수 있다.
이때 역순 출력을 원하지 않는다면 map 내부를 역순으로 저장되게 만들면 된다.
그러기 위해 greater<> 인자를 넣어준다.
소스 코드 :
< 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 30 31 32 33 34 35 36 37 38 39 40 | #include <iostream> #include <cstdio> #include <string> #include <map> using namespace std; map<string, bool> mp; int main() { int n; scanf("%d", &n); for (int i = 0; i < n; i++) { string name, state; cin >> name >> state; if (state.compare("enter") == 0) mp[name] = true; else mp[name] = false; } auto it = mp.end(); it--; for (it; it != mp.begin(); it--) if(it->second) cout << it->first << endl; if(it->second) cout << it->first; return 0; } // This source code Copyright belongs to Crocus // If you want to see more? click here >> | Crocus |
< map에 greater<>을 이용하여 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 30 31 32 33 34 35 36 | #include <iostream> #include <cstdio> #include <string> #include <map> #include <functional> using namespace std; map<string, bool, greater<> > mp; int main() { int n; scanf("%d", &n); for (int i = 0; i < n; i++) { string name, state; cin >> name >> state; if (state.compare("enter") == 0) mp[name] = true; else mp[name] = false; } for (auto it = mp.begin(); it != mp.end(); it++) if(it->second) cout << it->first << endl; return 0; } // This source code Copyright belongs to Crocus // If you want to see more? click here >> | Crocus |
반응형
'Applied > 알고리즘 문제풀이' 카테고리의 다른 글
[3273번] 두 수의 합 (0) | 2017.10.11 |
---|---|
[3986번] 좋은 단어 (2) | 2017.10.11 |
[5525번] IOIOI (0) | 2017.10.10 |
[2688번] 줄어들지 않아 (0) | 2017.10.09 |
[9613번] GCD 합 (0) | 2017.10.09 |