영어 점수와 수학 점수의 평균 점수를 기준으로 학생들의 등수를 매기려고 합니다. 영어 점수와 수학 점수를 담은 2차원 정수 배열 score가 주어질 때, 영어 점수와 수학 점수의 평균을 기준으로 매긴 등수를 담은 배열을 return하도록 solution 함수를 완성해주세요.
풀이 1) 배열 정렬을 통한 풀이
import java.util.Arrays;
class Solution {
public int[] solution(int[][] score) {
int[] answer = new int[score.length];
double[] avg = new double[score.length];
for (int i = 0; i < score.length; i++) {
avg[i] = (score[i][0] + score[i][1]) / 2.0;
}
Arrays.sort(avg); // 55 65 70 75
for (int i = 0; i < score.length; i++) {
for (int j = 0; j < avg.length; j++) {
if (avg[j] == (score[i][0] + score[i][1]) / 2.0) {
answer[i] = avg.length - j;
}
}
}
return answer;
}
}
풀이 2) conut로 등수가 낮을 경우 더해주기
class Solution {
public int[] solution(int[][] score) {
double[] map = new double[score.length];
int[] result= new int[score.length];
for (int i = 0; i <score.length ; i++) {
map[i] = (score[i][0]+ score[i][1])/2.0;
}
for (int i = 0; i <score.length ; i++) {
int count =0;
for (int j = 0; j <score.length ; j++) {
if(map[i] < map[j]){
count++;
}
}
result[i] = count+1;
}
return result;
}
}
'programmers' 카테고리의 다른 글
[JAVA] 유한소수 판별하기 (0) | 2024.03.20 |
---|---|
[JAVA] 특이한 정렬 (0) | 2024.03.20 |
[JAVA] 안전지대 (1) | 2024.03.19 |
[JAVA] 최댓값 만들기(2) (0) | 2024.03.19 |
[JAVA] 캐릭터의 좌표 (1) | 2024.03.19 |