728x90
반응형
문제 설명
영어 점수와 수학 점수의 평균 점수를 기준으로 학생들의 등수를 매기려고 합니다. 영어 점수와 수학 점수를 담은 2차원 정수 배열 score가 주어질 때, 영어 점수와 수학 점수의 평균을 기준으로 매긴 등수를 담은 배열을 return하도록 solution 함수를 완성해주세요.
제한 사항
0 ≤ score[0], score[1] ≤ 100
1 ≤ score의 길이 ≤ 10
score의 원소 길이는 2입니다.
score는 중복된 원소를 갖지 않습니다.
입출력 예
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]
입출력 예 설명
입출력 예 #1
평균은 각각 75, 70, 55, 65 이므로 등수를 매겨 [1, 2, 4, 3]을 return합니다.
입출력 예 #2
평균은 각각 75, 75, 40, 95, 95, 100, 20 이므로 [4, 4, 6, 2, 2, 1, 7] 을 return합니다.
공동 2등이 두 명, 공동 4등이 2명 이므로 3등과 5등은 없습니다.
내 풀이
Java
class Solution {
public int[] solution(int[][] score) {
int[] answer = new int[score.length];
for(int i = 0; i < score.length; i++){
answer[i]++;
for(int j = 0; j < score.length; j++){
if((double)(score[i][0] + score[i][1]) / 2 > (double) (score[j][0] + score[j][1]) / 2){
answer[j]++;
}
}
}
return answer;
}
}
C
#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>
// score_rows는 2차원 배열 score의 행 길이, score_cols는 2차원 배열 score의 열 길이입니다.
int* solution(int** score, size_t score_rows, size_t score_cols) {
// return 값은 malloc 등 동적 할당을 사용해주세요. 할당 길이는 상황에 맞게 변경해주세요.
int* answer = (int*)calloc(score_rows, sizeof(int));
for(int i = 0; i < score_rows; i++){
answer[i]++;
for(int j = 0; j < score_rows; j++){
double d1 = (double)(score[i][0] + score[i][1]) / score_cols;
double d2 = (double)(score[j][0] + score[j][1]) / score_cols;
if(d1 > d2){
answer[j]++;
}
}
}
return answer;
}
Python
def solution(score):
answer = [0] * len(score)
for i in range(len(score)):
answer[i] += 1
for j in range(len(score)):
if (score[i][0] + score[i][1]) / 2 > (score[j][0] + score[j][1]) / 2:
answer[j] += 1
return answer
https://school.programmers.co.kr/learn/courses/30/lessons/120882
728x90
반응형
'코딩테스트 > 프로그래머스 입문' 카테고리의 다른 글
[코딩테스트 Lv.0] 치킨 쿠폰 (0) | 2024.03.09 |
---|---|
[코딩테스트 Lv.0] 로그인 성공? (0) | 2024.03.08 |
[코딩테스트 Lv.0] 특이한 정렬 (0) | 2024.03.05 |
[코딩테스트 Lv.0] 유한소수 판별하기 (0) | 2024.03.05 |
[코딩테스트 Lv.0] 겹치는 선분의 길이 (0) | 2024.03.01 |