Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- ElementTree
- DP
- 백트랙킹
- 코딩테스트
- 위클리 6주차
- 부분 수열의 합
- 그래프
- 백준
- Java
- 줄어드는 숫자
- 완전 탐색
- 순열장난
- dfs
- 프로그래머스
- 백트래킹
- 몯느 순열
- 1174
- 백트렉킹
- 입실 퇴실
- 복서 정렬하기
- openssl
- 너비우선탐색
- 재귀
- 좋은 수열
- BFS
- BOJ
- 39080
- 문서자동화
- 위클리 챌린지
- 10597
Archives
개발자-H 입니다.
프로그래머스 - 복서 정렬 하기 (6주차) 본문
https://programmers.co.kr/learn/courses/30/lessons/85002
- 주어진 조건에 따라 복서에게 우선 순위를 부여하여 정렬하면 된다.
- 우선 순위 정렬는 PriorityQueue를 사용하여 정렬하였다.
import java.util.*;
class Solution {
public int[] solution(int[] weights, String[] head2head) {
List<Boxer> boxers = new ArrayList<>();
for (int i = 0; i < weights.length; i++) {
boxers.add(new Boxer(weights[i], i + 1));
}
for (int i = 0; i < head2head.length; i++) {
char[] histories = head2head[i].toCharArray();
Boxer boxer = boxers.get(i);
for (int j = 0; j < histories.length; j++) {
if (histories[j] == 'N') continue;
boxer.addHistory(histories[j], boxers.get(j));
}
}
PriorityQueue<Boxer> queue = new PriorityQueue<>();
for (int i = 0; i < boxers.size(); i++) {
queue.offer(boxers.get(i));
}
int[] answer = new int[boxers.size()];
int i = 0;
while (!queue.isEmpty()) {
answer[i] = queue.poll().id;
i++;
}
return answer;
}
public class Boxer implements Comparable<Boxer> {
public int winCount; // 이긴 경기 수
public int loseCount; // 진 경기 수
public int playCount; // 경기 횟수
public double winRate; // 승률
public int winFromHigherWeight; // 몸무게가 많이 나간 사람에게 이긴 수
public int weight; // 자기 몸무게
public int id; // 자기 번호
public Boxer(int weight, int number) {
this.weight = weight;
this.id = number;
}
public void addHistory(char history, Boxer boxer) {
playCount += 1;
if (history == 'W') {
if (boxer.weight > this.weight) {
winFromHigherWeight += 1;
}
winCount += 1;
} else if (history == 'L') {
loseCount += 1;
}
winRate = ((double) winCount / (winCount + loseCount)) * 100.0;
}
@Override
public int compareTo(Boxer other) {
if (this.winRate != other.winRate) return other.winRate - this.winRate > 0 ? 1 : -1;
if (this.winFromHigherWeight != other.winFromHigherWeight) return other.winFromHigherWeight - this.winFromHigherWeight;
if (this.weight != other.weight) return other.weight - this.weight;
return this.id - other.id;
}
}
}
'Algorithm > 문제 풀이' 카테고리의 다른 글
BOJ - 부분수열의 합 (0) | 2021.09.18 |
---|---|
프로그래머스 - 위클리 챌린지 7주차 (0) | 2021.09.16 |
BOJ - 프린터 큐 (0) | 2021.09.09 |
BOJ - 쿼드트리 (0) | 2021.09.08 |
BOJ - 나는야 포켓몬 마스터 이다솜 (0) | 2021.09.08 |
Comments