본문 바로가기

백준문제풀이

백준 2581 자바(java) 소수

문제

자연수 M과 N이 주어질 때 M이상 N이하의 자연수 중 소수인 것을 모두 골라 이들 소수의 합과 최솟값을 찾는 프로그램을 작성하시오.

예를 들어 M=60, N=100인 경우 60이상 100이하의 자연수 중 소수는 61, 67, 71, 73, 79, 83, 89, 97 총 8개가 있으므로, 이들 소수의 합은 620이고, 최솟값은 61이 된다.

입력

입력의 첫째 줄에 M이, 둘째 줄에 N이 주어진다.

M과 N은 10,000이하의 자연수이며, M은 N보다 작거나 같다.

출력

M이상 N이하의 자연수 중 소수인 것을 모두 찾아 첫째 줄에 그 합을, 둘째 줄에 그 중 최솟값을 출력한다. 

단, M이상 N이하의 자연수 중 소수가 없을 경우는 첫째 줄에 -1을 출력한다.

import java.util.ArrayList;
import java.util.Scanner;

public class Main {	
	public static void main(String[] args) {
		Scanner sc = new Scanner(System.in);
		ArrayList<Integer> arrayList = new ArrayList<>();
		int sum = 0;
		int start = sc.nextInt();
		int last = sc.nextInt();
		for(int i = start, index = 0; i<=last; i++) {
			if(check(i)) {
				arrayList.add(i);
				sum += i;
				index++;
			}
		}
		if(sum == 0) {
			System.out.println("-1");
			return;
		}
		else {
			System.out.println(sum);
			System.out.println(arrayList.get(0));
		}
	}
	static boolean check(int a) {
		int checkCount = 0;
		for(int i = 1; i<=a; i++) {
			if(a%i ==0) {
				checkCount++;
			}
		}
		if(checkCount == 2) {
			return true;
		}
		return false;
	}
}