본문 바로가기
Algorithm/BOJ

[BOJ]1934번: 최소공배수(java, c++)

by HBGB 2019. 9. 17.

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

 

1934번: 최소공배수

두 자연수 A와 B에 대해서, A의 배수이면서 B의 배수인 자연수를 A와 B의 공배수라고 한다. 이런 공배수 중에서 가장 작은 수를 최소공배수라고 한다. 예를 들어, 6과 15의 공배수는 30, 60, 90등이 있으며, 최소 공배수는 30이다. 두 자연수 A와 B가 주어졌을 때, A와 B의 최소공배수를 구하는 프로그램을 작성하시오.

www.acmicpc.net

 

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
28
29
30
31
32
import java.util.Scanner;
 
public class Main {
    public static void main(String[] args) {
 
        Scanner sc = new Scanner(System.in);
        StringBuilder sb = new StringBuilder();
 
        int icaseCount = sc.nextInt();
 
        while (icaseCount-- > 0) {
            int A = sc.nextInt();
            int B = sc.nextInt();
            int GCD = GCD1(A, B);
            int LCM = A * B / GCD;
            sb.append(LCM + "\n");
        }
 
        System.out.println(sb.toString());
 
    }
 
    // 재귀함수O 유클리드 호제법
    public static int GCD1(int A, int B) {
 
        if (B == 0) {
            return A;
        } else {
            return GCD1(B, A % B);
        }
    }
}
Colored by Color Scripter

 

c++소스

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
32
#include <iostream>
 
using namespace std;
 
int GCD(int A, int B)
{
    return (B != 0) ? GCD(B, A % B) : A;
}
 
int LCM(int A, int B)
{
    return A * B / GCD(A, B);
}
 
int main()
{
    ios_base::sync_with_stdio(0);
    cin.tie(0);
    cout.tie(0);
 
    int n;
    cin >> n;
 
    while (n--)
    {
        int A, B;
        cin >> A >> B;
        cout << LCM(A, B) << '\n';
    }
 
    return 0;
}
Colored by Color Scripter

 

최대공약수를 구할 수 있다면, 최소공배수 구하는 것은 매우 쉽다.

 

 

댓글