[백준] 1934번 최소공배수 / Java, Python

Jini·2021년 4월 23일
0

백준

목록 보기
85/226

Baekjoon Online Judge

algorithm practice


- 단계별 문제풀기


17. 정수론 및 조합론

정수론과 조합론을 배워 봅시다.




Java / Python


4. 최소공배수

1934번

유클리드 알고리즘으로 더 빠르게 푸는 문제



두 개의 자연수를 입력받아 최소 공배수를 출력하는 문제로, 유클리드 알고리즘을 이용하는 문제입니다.

유클리드 호제법 (Euclidean algorithm)이란
2개의 자연수 또는 정식(整式)의 최대공약수를 구하는 알고리즘의 하나이며, 정리는 다음과 같습니다.



  • Java

import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.IOException;
import java.util.StringTokenizer;

public class Main{
	public static void main(String[] args) throws IOException {
		BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
        
		int T = Integer.parseInt(br.readLine());
		StringTokenizer st;
        
		while(T-- > 0){
			st = new StringTokenizer(br.readLine(), " ");
        
			int number1 = Integer.parseInt(st.nextToken());
			int number2 = Integer.parseInt(st.nextToken());
			int result1 = gcd(number1, number2);
		
			System.out.println(number1 * number2 / result1);
		}
	}
    
	public static int gcd(int n1, int n2){    // 최대 공약수
		if(n2 == 0) return n1;
		return gcd(n2, n1 % n2);
	}
}




  • Python

import sys
T = int(sys.stdin.readline())

# gcd
def gcd(n1, n2):
    if n2 == 0 : 
        return n1
    else : 
        return gcd(n2, n1 % n2)
    
while T > 0 :  
    num1, num2 = map(int, sys.stdin.readline().split())
    result = gcd(num1, num2)
    # 최소공배수
    print(num1 * num2 // result)
    T -= 1





profile
병아리 개발자 https://jules-jc.tistory.com/

0개의 댓글