영어 점수와 수학 점수의 평균 점수를 기준으로 학생들의 등수를 매기려고 합니다. 영어 점수와 수학 점수를 담은 2차원 정수 배열 score가 주어질 때, 영어 점수와 수학 점수의 평균을 기준으로 매긴 등수를 담은 배열을 return하도록 solution 함수를 완성해주세요.
score | result |
---|---|
[[80, 70], [90, 50], [40, 70], [50, 80]] | [1, 2, 4, 3] |
[[80, 70], [70, 80], [30, 50], [90, 100], [100, 90], [100, 100], [10, 30]] | [4, 4, 6, 2, 2, 1, 7] |
import java.util.*;
public int[] solution(int[][] score) {
int[] answer = new int[score.length];
int[] score_avg = new int[score.length];
// int로 하게되면 /2했을 때 소수점이 필요한 경우 나오지 않음 -> float로 지정하거나 평균내지않고 합으로만 진행
for (int i=0; i<score.length; i++) {
score_avg[i] = score[i][0] + score[i][1];
}
System.out.println(score_avg);
for (int i=0; i<score_avg.length; i++) {
int idx = 1;
for (int j=0; j<score_avg.length; j++) {
if (score_avg[i] < score_avg[j]) {
idx++;
}
}
answer[i] = idx;
}
return answer;
}