수포자는 수학을 포기한 사람의 준말입니다. 수포자 삼인방은 모의고사에 수학 문제를 전부 찍으려 합니다. 수포자는 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 함수를 작성해주세요.
answers | result |
---|---|
[1,2,3,4,5] | [1] |
[1,3,2,4,2] | [1,2,3] |
입출력 예 #1
따라서 가장 문제를 많이 맞힌 사람은 수포자 1입니다.
입출력 예 #2
using System;
using System.Linq;
using System.Collections.Generic;
public class Solution {
public int[] solution(int[] answers) {
int[] first = new int[] {1, 2, 3, 4, 5};
int[] second = new int[] {2, 1, 2, 3, 2, 4, 2, 5};
int[] third = new int[] {3, 3, 1, 1, 2, 2, 4, 4, 5, 5};
int[] correctAnswer = new int[3];
for(int i = 0; i < answers.Length; i++)
{
if(answers[i] == first[i % first.Length]) correctAnswer[0]++;
if(answers[i] == second[i % second.Length]) correctAnswer[1]++;
if(answers[i] == third[i % third.Length]) correctAnswer[2]++;
}
List<int> list = new List<int>();
if(correctAnswer[0] == correctAnswer.Max()) list.Add(1);
if(correctAnswer[1] == correctAnswer.Max()) list.Add(2);
if(correctAnswer[2] == correctAnswer.Max()) list.Add(3);
return list.ToArray();
}
}