프로그래머스 | 모의고사

Algorithm 2019. 8. 22. 23:34
반응형
  • 모의고사
  • darklight

    sublimevimemacs

    C# 

문제 설명

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

제한 조건

  • 시험은 최대 10,000 문제로 구성되어있습니다.
  • 문제의 정답은 1, 2, 3, 4, 5중 하나입니다.
  • 가장 높은 점수를 받은 사람이 여럿일 경우, return하는 값을 오름차순 정렬해주세요.

입출력 예

answersreturn

[1,2,3,4,5] [1]
[1,3,2,4,2] [1,2,3]

입출력 예 설명

입출력 예 #1

  • 수포자 1은 모든 문제를 맞혔습니다.
  • 수포자 2는 모든 문제를 틀렸습니다.
  • 수포자 3은 모든 문제를 틀렸습니다.

따라서 가장 문제를 많이 맞힌 사람은 수포자 1입니다.

입출력 예 #2

  • 모든 사람이 2문제씩을 맞췄습니다.
  •  
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
using System;
using System.Collections.Generic;
using System.Linq;
 
namespace _02
{
    class Program
    {
        static void Main(string[] args)
        {
            var s = new Solution();
            var result = s.solution(new[]{1,2,3,4,5});
            // var result = s.solution(new[]{1,3,2,4,2});
            foreach(var idx in result){
                Console.WriteLine(idx);
            }
 
            // int[] answers = new[]{1,2,3,4,5};
            // int[] a = {1,2,3,4,5};
            // for(int i = 0; i<answers.Length; i++){
            //     Console.WriteLine("{0}", i%5);
            // }
        }
    }
 
    public class Solution {
        public int[] solution(int[] answers) {
            int[] answer = new int[] {};
 
            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[] arrCounts = new int[3];
            
 
            for(int i = 0; i<answers.Length; i++){
                if(a[i % a.Length] == answers[i]){
                    arrCounts[0]++;
                }
                if(b[i % b.Length] == answers[i]){
                    arrCounts[1]++;
                }
                if(c[i % c.Length] == answers[i]){
                    arrCounts[2]++;
                }
            }
 
            var max = arrCounts.Max(x=>x);
            
            List<int> list = new List<int>();
            for(int i = 0; i<arrCounts.Length; i++){
                var idx = i;
                if(arrCounts[idx] == max){
                    list.Add(idx+1);
                }
            }
 
            answer = list.ToArray();
            return answer;
        }
    }
}
 
 
 

 

핵심

a[i % a.Length]

반응형

'Algorithm' 카테고리의 다른 글

프로그래머스 | 가장 큰 수 (정렬)  (0) 2019.08.23
프로그래머스 | K번째수 (정렬)  (0) 2019.08.23
n사이에 소수 개수 구하기  (0) 2019.08.22
프로그래머스 | N개의 최소공배수  (0) 2019.08.22
LeetCode | Two Sum  (0) 2019.08.21
: