1) 잘 사용하지 않은 sstream을 얼마나 잘 사용하는지
2) unordered_map의 기존의 key - value , value값 갱신 가능한지
-> 코드 실행은 맞았으나 테스트 케이스에서 꽝이다.
어떻게 구성했냐면 map으로 first값은 id, second값은 닉네임으로 했고,
Enter와 Leave를 알 수 있도록 vector<pair<string,string>>만들어서
Change가 아니면 순서대로 삽입한 상태이다.
#include <string>
#include <vector>
#include <unordered_map>
#include <sstream>
using namespace std;
vector<string> solution(vector<string> record) {
vector<string> answer;
unordered_map<string, string>u;
vector<pair<string,string>>v;
for(int i = 0; i < record.size(); i++)
{
stringstream ss;
ss << record[i];
string command, id ,name;
ss >> command >> id >> name;
u[id] = name;
if(command != "Change")
{
v.push_back({command, id});
}
}
for(const auto &i : v)
{
string word = "";
if(i.first == "Enter")
{
word = u[i.second];
word += "님이 들어왔습니다.";
}
else if(i.first == "Leave")
{
word = u[i.second];
word += "님이 나갔습니다.";
}
answer.push_back(word);
}
return answer;
}
-> vector<pair<string,string>>때문에 메모리 초과된 것인가??
라고 생각했는데,, 정말 잘못된 생각을 가지고 접근했다.
=> Leave의 경우에는 id - 닉네임 갱신이 되지 않아야 한다...
#include <string>
#include <vector>
#include <unordered_map>
#include <sstream>
using namespace std;
vector<string> solution(vector<string> record) {
vector<string>answer;
unordered_map<string, string>u;
vector<pair<string,string>>v;
for(int i = 0; i < record.size(); i++)
{
stringstream ss;
ss << record[i];
string command, id ,name;
ss >> command >> id >> name;
if(command == "Change" || command == "Enter")
{
u[id] = name;
}
if(command != "Change")
v.push_back({command, id});
}
for(const auto &i : v)
{
string word = "";
if(i.first == "Enter")
{
word = u[i.second];
word += "님이 들어왔습니다.";
}
else if(i.first == "Leave")
{
word = u[i.second];
word += "님이 나갔습니다.";
}
answer.push_back(word);
}
return answer;
}