일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 2557
- 입출력 패턴
- 엑셀
- 입/출력
- k-eta
- 연결요소
- Django Nodejs 차이점
- 자료구조
- vscode
- getline
- correlation coefficient
- 프레임워크와 라이브러리의 차이
- iOS14
- Django란
- scanf
- 백준
- c++
- string 함수
- double ended queue
- Django의 편의성
- 표준 입출력
- EOF
- 구조체와 클래스의 공통점 및 차이점
- 매크로
- 장고란
- UI한글변경
- string 메소드
- 시간복잡도
- 알고리즘 공부방법
- 이분그래프
Archives
- Today
- Total
Storage Gonie
(5) [C++, Java] 백준 No.11005 : 진법 변환2 본문
반응형
문제
풀이
자세한 풀이 :
# C++(나의 풀이)
- 나머지를 스택에 저장했다가 역순으로 꺼내는 방식을 사용하였고,
10 이상의 나머지에 대해서 A, B, C, ... 를 출력해줘야 하는 것은 printf("%c") 를 이용하여 해결하였음.
#include <iostream>
#include <stack>
using namespace std;
int main()
{
int N, B;
scanf("%d %d", &N, &B);
stack<int> st;
// B로 나눈 나머지를 스택에 저장하는 부분
while(N != 0)
{
st.push(N % B);
N = N / B;
}
// 스택에서 나머지를 꺼내주며 출력하는 부분
while(!st.empty())
{
if (st.top() >= 10)
printf("%c", st.top() + 55); // ASCII:65('A') 이용
else
printf("%d", st.top());
st.pop();
}
}
# C++(백준 풀이)
- 스택대신에 string을 활용해서 나머지를 바로바로 변환해서 저장한 다음, reverse함수로 거꾸로 뒤집어 출력하는 방식.
#include <iostream>
#include <algorithm>
#include <vector>
using namespace std;
int main() {
int N, B;
cin >> N >> B;
string s;
while(N != 0)
{
int r = N % B;
if (r < 10)
s += (char)(r + '0');
else
s += (char)(r - 10 + 'A');
N = N/B;
}
reverse(s.begin(), s.end());
cout << s;
}
# Java
import java.util.*;
public class Main {
public static void main(String args[]) {
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int b = sc.nextInt();
StringBuilder ans = new StringBuilder();
while (n > 0) {
int r = n % b;
if (r < 10) {
ans.append((char)(r + '0'));
} else {
ans.append((char)(r - 10 + 'A'));
}
n /= b;
}
System.out.println(ans.reverse());
}
}
반응형
'알고리즘 > 백준풀이7. 수학' 카테고리의 다른 글
(7) [C++, Java] 백준 No.1373 : 2진수 8진수 (0) | 2019.05.06 |
---|---|
(6) [C++, Java] 백준 No.2745 : 진법 변환 (0) | 2019.05.06 |
(4) [C++, Java] 백준 No.9613 : GCD 합 (0) | 2019.05.04 |
(3) [C++, Java] 백준 No.1934 : 최소공배수 (0) | 2019.05.04 |
(2) [C++, Java] 백준 No.2609 : 최대공약수와 최소공배수 (0) | 2019.05.03 |
Comments