복서 선수들의 몸무게 weights와, 복서 선수들의 전적을 나타내는 head2head가 매개변수로 주어집니다. 복서 선수들의 번호를 다음과 같은 순서로 정렬한 후 return 하도록 solution 함수를 완성해주세요.
Boxer
class
를 만들었다.class Boxer {
public:
int index;
double winRate;
int weight;
int win2heavierBoxer;
Boxer(int index, double winRate, int weight, int win2heavierBoxer) {
this->index = index;
this->winRate = winRate;
this->weight = weight;
this->win2heavierBoxer = win2heavierBoxer;
}
};
head2head
배열을 탐색하면서 승률과 자기보다 무거운 사람과 싸운 횟수 등을 계산한다.Boxer
배열에 값을 집어넣는다,answer
배열에 삽입한다.winRate
변수를 만들고 분모가 0일 경우 계산을 하지 않고 값을 0으로 만들었다. double winRate = numberOfFight == 0 ? 0 : double(numberOfWin) / double(numberOfFight);
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
class Boxer {
public:
int index;
double winRate;
int weight;
int win2heavierBoxer;
Boxer(int index, double winRate, int weight, int win2heavierBoxer) {
this->index = index;
this->winRate = winRate;
this->weight = weight;
this->win2heavierBoxer = win2heavierBoxer;
}
};
bool compare(Boxer &a, Boxer &b) {
if (a.winRate == b.winRate) {
if (a.win2heavierBoxer == b.win2heavierBoxer) {
if (a.weight == b.weight) {
return a.index < b.index;
}
return a.weight > b.weight;
}
return a.win2heavierBoxer > b.win2heavierBoxer;
}
return a.winRate > b.winRate;
}
vector<int> solution(vector<int> weights, vector<string> head2head) {
vector<int> answer;
vector<Boxer> arr;
for (int i = 0 ; i < head2head.size(); ++i) {
int numberOfFight = 0;
int numberOfWin = 0;
int numberOfwin2heavierBoxer = 0;
for (int j = 0; j < head2head[i].size(); ++j) {
if (head2head[i][j] == 'N') continue;
numberOfFight++;
if (head2head[i][j] == 'W') {
numberOfWin++;
if (weights[i] < weights[j]) {
numberOfwin2heavierBoxer++;
}
}
}
double winRate = numberOfFight == 0 ? 0 : double(numberOfWin) / double(numberOfFight);
arr.push_back(Boxer(i + 1, winRate, weights[i], numberOfwin2heavierBoxer));
}
sort(arr.begin(), arr.end(), compare);
for (int i = 0; i < arr.size(); ++i) {
answer.push_back(arr[i].index);
}
return answer;
}