수포자는 수학을 포기한 사람의 준말입니다. 수포자 삼인방은 모의고사에 수학 문제를 전부 찍으려 합니다. 수포자는 1번 문제부터 마지막 문제까지 다음과 같이 찍습니다.
1번 수포자가 찍는 방식: 1, 2, 3, 4, 5, 1, 2, 3, 4, 5, ...
2번 수포자가 찍는 방식: 2, 1, 2, 3, 2, 4, 2, 5, 2, 1, 2, 3, 2, 4, 2, 5, ...
3번 수포자가 찍는 방식: 3, 3, 1, 1, 2, 2, 4, 4, 5, 5, 3, 3, 1, 1, 2, 2, 4, 4, 5, 5, ...
1번 문제부터 마지막 문제까지의 정답이 순서대로 들은 배열 answers가 주어졌을 때, 가장 많은 문제를 맞힌 사람이 누구인지 배열에 담아 return 하도록 solution 함수를 작성해주세요.
#include <string>
#include <vector>
#include <algorithm>
#include <math.h>
using namespace std;
vector<vector<int>> ans = { {1,2,3,4,5}, {2,1,2,3,2,4,2,5}, {3,3,1,1,2,2,4,4,5,5}};
vector<int> score = {0,0,0};
vector<int> solution(vector<int> answers) {
vector<int> answer;
// 점수 계산
for(int i=0;i<answers.size();i++){
if(ans[0][i%5] == answers[i]) score[0]++;
if(ans[1][i%8] == answers[i]) score[1]++;
if(ans[2][i%10] == answers[i]) score[2]++;
}
int max_score = *max_element(score.begin(), score.end()); // 이 과정에서 오름차순 정렬됨.
for(int i=0;i<3;i++){
if(max_score == score[i]){
answer.push_back(i+1);
}
}
return answer;
}
import java.util.*;
class Solution {
public int[] solution(int[] answers) {
int[][] ans = {{1,2,3,4,5}, {2,1,2,3,2,4,2,5}, {3,3,1,1,2,2,4,4,5,5}};
int[] score = {0,0,0};
// 점수 구하기
for(int i=0;i<answers.length;i++) {
if(ans[0][i%5] == answers[i]) score[0]++;
if(ans[1][i%8] == answers[i]) score[1]++;
if(ans[2][i%10] == answers[i]) score[2]++;
}
// 최대 점수 구하기
int max = 0;
for(int i=0;i<3;i++) {
if(max < score[i]) max = score[i];
}
// 최대 점수만큼 맞춘 사람 list에 추가
List<Integer> list = new ArrayList<>();
for(int i=0;i<3;i++) {
if(max == score[i]) list.add(i+1);
}
int[] answer = new int[list.size()];
for(int i=0;i<list.size();i++) {
answer[i] = list.get(i);
}
return answer;
}
}