모의고사

모의고사

수포자는 수학을 포기한 사람의 준말입니다. 수포자 삼인방은 모의고사에 수학 문제를 전부 찍으려 합니다. 수포자는 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 함수를 작성해주세요.

https://school.programmers.co.kr/learn/courses/30/lessons/42840


import java.util.*;


public class Main {

    public static void main(String[] args) {

        int[] answers = {1, 3, 2, 4, 2};

        var reuslt = solution(answers);

        System.out.println("===================");
        System.out.println(Arrays.toString(reuslt));
    }

    public static int[] solution(int[] answers) {
        int[] A = {1, 2, 3, 4, 5};
        int[] B = {2, 1, 2, 3, 2, 4, 2, 5};
        int[] C = {3, 3, 1, 1, 2, 2, 4, 4, 5, 5};

        int aScore = 0;
        int bScore = 0;
        int cScore = 0;

        for (int i = 0; i < answers.length; i++) {
            int a = A[i % A.length];
            int b = B[i % B.length];
            int c = C[i % C.length];

            int ans = answers[i];

            if (ans == a) {
                aScore++;
            }

            if (ans == b) {
                bScore++;
            }

            if (ans == c) {
                cScore++;
            }
        }

        int tMax = Math.max(aScore,bScore);
        int max = Math.max(tMax,cScore);

        List<Integer> result_ = new ArrayList<>();
        if (max == aScore) {
            result_.add(1);
        }
        if (max == bScore) {
            result_.add(2);
        }
        if (max == cScore) {
            result_.add(3);
        }

        int[] result = new int[result_.size()];

        for (int i = 0; i < result.length; i++) {
            result[i] = result_.get(i);
        }

        return result;
    }

}