스트리밍 사이트에서 장르 별로 가장 많이 재생된 노래를 두 개씩 모아 베스트 앨범을 출시하려 합니다. 노래는 고유 번호로 구분하며, 노래를 수록하는 기준은 다음과 같습니다.
노래의 장르를 나타내는 문자열 배열 genres와 노래별 재생 횟수를 나타내는 정수 배열 plays가 주어질 때, 베스트 앨범에 들어갈 노래의 고유 번호를 순서대로 return 하도록 solution 함수를 완성하세요.
classic 장르는 1,450회 재생되었으며, classic 노래는 다음과 같습니다.
pop 장르는 3,100회 재생되었으며, pop 노래는 다음과 같습니다.
따라서 pop 장르의 [4, 1]번 노래를 먼저, classic 장르의 [3, 0]번 노래를 그다음에 수록합니다.
#include <string>
#include <vector>
#include <map>
#include <algorithm>
using namespace std;
bool cmp(pair<string, int> a, pair<string, int> b) {
return a.second > b.second;
}
bool cmp2(pair<int, int> a, pair<int, int> b) {
if(a.first == b.first) return a.second < b.second;
return a.first > b.first;
}
vector<int> solution(vector<string> genres, vector<int> plays) {
map<string, vector<pair<int, int>>> songs; // 장르별로 각 노래의 {재생 횟수, 고유 번호} 짝 배열을 저장
map<string, int> cnt; // 장르별 재생 횟수 저장
for(int i = 0; i < genres.size(); i++) {
if(songs.find(genres[i]) == songs.end()) {
songs.insert({genres[i], {{plays[i], i}}});
cnt.insert({genres[i], plays[i]});
}
else {
songs[genres[i]].emplace_back(make_pair(plays[i], i));
cnt[genres[i]] += plays[i];
}
}
vector<pair<string, int>> temp(cnt.begin(), cnt.end());
sort(temp.begin(), temp.end(), cmp);
vector<int> answer;
for(auto it = temp.begin(); it != temp.end(); it++) {
sort(songs[it->first].begin(), songs[it->first].end(), cmp2);
answer.emplace_back(songs[it->first][0].second);
if(songs[it->first].size() > 1) answer.emplace_back(songs[it->first][1].second);
}
return answer;
}
map<string, vector<pair<int, int>>> songs;
이 문제에서는 노래의 장르로 재생 횟수, 고유 번호를 모두 구하기 위해 map의 key로 재생 횟수를, value로 재생 횟수와 고유 번호를 저장하도록 했다. 하나의 장르에 노래가 여러개 있을 수 있으므로 재생 횟수와 고유번호 pair를 vector로 저장했다.
📍 map에 최초의 key, value를 넣을 때는 value가 vector이기 때문에songs.insert(key, {{first, second}}
로 넣었다.(vector pair이므로 중괄호 두 개!!)
map을 value로 정렬
map은 default가 key로 정렬되기 때문에 value로 정렬하기 위해선 compare 함수를 작성해야한다.
또한, map 자체로는 정렬이 불가능하기 때문에 map의 값을 vector로 옮겨서 정렬했다.
vector, map 순회
vector<pair<int, int>> v; // 초기화했다고 가정 for(auto it = v.begin(); it != v.end(); it++) { cout << it -> first << ":" << it -> second << endl; }
iterator를 이용해서 시작 주소부터 마지막 주소까지 순회 가능하다.
vector는 (당연히) index로도 순회가 가능하지만, map은 key로만 접근할 수 있어 index로 순회는 불가능하다.