Updated:

1. 문제 링크

https://www.acmicpc.net/problem/11652

2. 사용 알고리즘

정렬

3. 풀이

  1. 입력받은 배열 오름차순 정렬

  2. 바로 앞의 수와 비교하여 연속된 수의 개수를 세며 정답 계산

4. 소스 코드

4-1. C++

https://github.com/dev-aiden/problem-solving/blob/main/boj/11652.cpp

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
#include <iostream>
#include <algorithm>

using namespace std;

long long arr[100003];

int main(void) {
    ios_base::sync_with_stdio(false);
    cin.tie(NULL); cout.tie(NULL);
    long long n; cin >> n;
    for (int i = 0; i < n; ++i) cin >> arr[i];
    sort(arr, arr + n);
    long long ans = arr[0], maxCount = 1, temp = 1;
    for (int i = 1; i < n; ++i) {
        if (arr[i] == arr[i - 1]) ++temp;
        else temp = 1;
        if (maxCount < temp) {
            maxCount = temp;
            ans = arr[i];
        }
    }
    cout << ans << "\n";
    return 0;
}

4-2. JAVA

https://github.com/dev-aiden/problem-solving/blob/main/boj/11652.java

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
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;

public class Main {

    public static void main(String[] args) throws IOException {
        BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        int n = Integer.parseInt(br.readLine());
        long[] arr = new long[n];
        for(int i = 0; i < n; ++i) arr[i] = Long.parseLong(br.readLine());
        Arrays.sort(arr);
        long ans = arr[0], maxCount = 1, temp = 1;
        for(int i = 1; i < n; ++i) {
            if(arr[i] == arr[i - 1]) ++temp;
            else temp = 1;
            if(maxCount < temp) {
                maxCount = temp;
                ans = arr[i];
            }
        }
        System.out.println(ans);
    }
}

Updated:

Leave a comment