풀이과정
이 문제는 완전 탐색 문제로, 규칙을 찾아서 i % 5, i % 8, i % 10
인덱스에 있는 값과 같으면 카운트해주면 된다.
가장 많은 문제를 맞힌 사람이 여럿일 경우 다 넣어줘야 한다.
1, 2, 3 차례대로 넣기 때문에 오름차순으로 다시 정렬 안 해도 된다.
풀이1
#include <string>
#include <vector>
#include <algorithm>
using namespace std;
int num1[5] = {1, 2, 3, 4, 5};
int num2[8] = {2, 1, 2, 3, 2, 4, 2, 5};
int num3[10] = {3, 3, 1, 1, 2, 2, 4, 4, 5, 5};
int cnt1, cnt2, cnt3;
vector<int> solution(vector<int> answers) {
vector<int> answer;
for(int i = 0; i < answers.size(); i++){
if(answers[i] == num1[i % 5]) cnt1++;
if(answers[i] == num2[i % 8]) cnt2++;
if(answers[i] == num3[i % 10]) cnt3++;
}
int res = max({cnt1, cnt2, cnt3});
if(res == cnt1) answer.push_back(1);
if(res == cnt2) answer.push_back(2);
if(res == cnt3) answer.push_back(3);
return answer;
}
풀이2
#include <string>
#include <vector>
using namespace std;
int num1[5] = {1, 2, 3, 4, 5};
int num2[8] = {2, 1, 2, 3, 2, 4, 2, 5};
int num3[10] = {3, 3, 1, 1, 2, 2, 4, 4, 5, 5};
int cnt1, cnt2, cnt3;
// max 함수 구현
int max(int x, int y){
return x > y ? x : y;
}
vector<int> solution(vector<int> answers) {
vector<int> answer;
for(int i = 0; i < answers.size(); i++){
if(answers[i] == num1[i % 5]) cnt1++;
if(answers[i] == num2[i % 8]) cnt2++;
if(answers[i] == num3[i % 10]) cnt3++;
}
int res = max(cnt1, cnt2);
res = max(res, cnt3);
if(res == cnt1) answer.push_back(1);
if(res == cnt2) answer.push_back(2);
if(res == cnt3) answer.push_back(3);
return answer;
}