본문 바로가기

프로그래머스

프로그래머스 소수 만들기 (파이썬, 자바)

문제 설명

주어진 숫자 중 3개의 수를 더했을 때 소수가 되는 경우의 개수를 구하려고 합니다. 숫자들이 들어있는 배열 nums가 매개변수로 주어질 때, nums에 있는 숫자들 중 서로 다른 3개를 골라 더했을 때 소수가 되는 경우의 개수를 return 하도록 solution 함수를 완성해주세요.

제한사항

  • nums에 들어있는 숫자의 개수는 3개 이상 50개 이하입니다.
  • nums의 각 원소는 1 이상 1,000 이하의 자연수이며, 중복된 숫자가 들어있지 않습니다.

입출력 예

numsresult

[1,2,3,4] 1
[1,2,7,6,4] 4

입출력 예 설명

입출력 예 #1
[1,2,4]를 이용해서 7을 만들 수 있습니다.

입출력 예 #2
[1,2,4]를 이용해서 7을 만들 수 있습니다.
[1,4,6]을 이용해서 11을 만들 수 있습니다.
[2,4,7]을 이용해서 13을 만들 수 있습니다.
[4,6,7]을 이용해서 17을 만들 수 있습니다.

 

 

[python]

def div(temp):
  for x in range(3, (int)(temp/2+1)):
    if temp % x == 0:
      return False
  return True

def solution(nums):
    arr = []
    answer = 0
    for a in range(0, len(nums)-2):
      for b in range(a+1, len(nums)-1):
        for c in range(b+1, len(nums)):
          if div(nums[a] + nums[b] + nums[c]):
            arr.append(nums[a] + nums[b] + nums[c])
    answer = len(arr)
    return answer

[java]

import java.util.*;
class Solution {
    public int solution(int[] nums) {
        int answer = 0;
        ArrayList<Integer> arr = new ArrayList<>();
        for(int i = 0; i<nums.length-2; i++){
            for(int o = i+1; o<nums.length-1; o++){
                for(int p = o+1; p<nums.length; p++){
                    arr.add(nums[i]+nums[o]+nums[p]);
                }
            }
        }
        for(int i = 0; i<arr.size(); i++){
            int temp = arr.get(i);
            if(div(temp)) answer++;
        }

        return answer;
    }
    static boolean div(int a){
        for(int o = 3; o<=a/2; o++){
            if(a%o == 0)return false;
        }
        return true;
    }
}