Updated:

1. 문제 링크

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

2. 사용 알고리즘

수학

3. 풀이

10진수 수를 2진수를 구하는 것과 동일한 방법으로 -2진수로 변환

(나머지가 음수가 되지않도록 몫의 변환 필요)

EX) -13을 -2로 나눈 나머지

  • -13 / -2 : 몫 6, 나머지 : -1 (X)

  • -13 / -2 : 몫 7, 나머지 : 1 (O)

4. 소스 코드

4-1. C++

https://github.com/dev-aiden/problem-solving/blob/main/boj/2089.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
26
#include <iostream>
#include <algorithm>

using namespace std;

int main(void) {
    ios_base::sync_with_stdio(false);
    int n; cin >> n;
    string ans;
    if (n == 0) {
        cout << 0 << "\n";
        return 0;
    }
    while (n != 0) {
        int a = n / (-2), b = n % 2;
        if (b < 0) {
            ++a;
            b = 1;
        }
        n = a;
        ans += (char)b + 48;
    }
    reverse(ans.begin(), ans.end());
    cout << ans << "\n";
    return 0;
}

4-2. JAVA

https://github.com/dev-aiden/problem-solving/blob/main/boj/2089.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
26
27
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;

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());
        StringBuilder ans = new StringBuilder();
        if(n == 0) {
            System.out.println(0);
            return;
        }
        while (n != 0) {
            int a = n / (-2), b = n % 2;
            if (b < 0) {
                ++a;
                b = 1;
            }
            n = a;
            ans.append(b);
        }
        ans.reverse();
        System.out.println(ans);
    }
}

Updated:

Leave a comment