◆C#/C# : 프로그래머스 문제 풀이

[프로그래머스] 모의고사 / C#, C++

진2_ 2024. 11. 26. 17:10
728x90
반응형

[프로그래머스] 완전탐색/ 모의고사 / C#, 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하는 값을 오름차순 정렬해주세요.제한 조건

🎀입출력 예시

 

🧐 풀이

C++

 

#include <string>
#include <vector>
#include <iostream>
#include <algorithm> 

using namespace std;

vector<int> solution(vector<int> answers) {
    vector<int> answer;

    vector<vector<int>> patterns = {
    {1,2,3,4,5},
    {2, 1, 2, 3, 2, 4, 2, 5},
    {3, 3, 1, 1, 2, 2, 4, 4, 5, 5}
    };


    int score1 = 0,score2 = 0,score3 = 0;

    int score[3] = {0,0,0};

    for(int i = 0 ; i < 3 ; i++){ // 3명 모두 체크 

        int index = 0;

        for(int j = 0; j < answers.size(); j++){ // 정답여부 체크 

            if(patterns[i][index] == answers[j]){
                score[i]++;
            }
            index = (index + 1) % patterns[i].size();

        }
    }

    int bestScore = max({score[0], score[1], score[2]});



     for(int i = 0 ; i < 3 ; i++){
         if(score[i] == bestScore){
             answer.push_back(i+1);
         }
     }


    return answer;
}

 

 

c#


 

using System;
using System.Collections.Generic;
using System.Linq;

public class Solution {
    public int[] solution(int[] answers) {
        int[] nRules1 = new int[] { 1, 2, 3, 4, 5 };
        int[] nRules2 = new int[] { 2, 1, 2, 3, 2, 4, 2, 5 };
        int[] nRules3 = new int[] { 3, 3, 1, 1, 2, 2, 4, 4, 5, 5 };
        int[] nScores = new int[3];
        for (int i = 0; i < answers.Length; i++)
        {
            if (answers[i] == nRules1[i % nRules1.Length]) ++nScores[0];
            if (answers[i] == nRules2[i % nRules2.Length]) ++nScores[1];
            if (answers[i] == nRules3[i % nRules3.Length]) ++nScores[2];
        }
        List<int> lstAnswer = new List<int>();
        if (nScores[0] == nScores.Max()) lstAnswer.Add(1);
        if (nScores[1] == nScores.Max()) lstAnswer.Add(2);
        if (nScores[2] == nScores.Max()) lstAnswer.Add(3);
        return lstAnswer.ToArray();
    }
}
728x90
반응형