본문 바로가기
알고리즘/프로그래머스

[Level 1] 소수 만들기 (JavaScript)

by devpine 2022. 10. 23.
반응형

문제 설명

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

 

제한사항

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

 

입출력 예

nums result
[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 만들 있습니다.

 

풀이

function isPrime(n) {
  if (n < 2) return false;
  for (let i = 2; i <= Math.sqrt(n); i++) {
    if (n % i === 0) {
      return false;
    }
  }
  return true;
}

const getCombinations = function (arr, selectNumber) {
  const results = [];
  if (selectNumber === 1) return arr.map((value) => [value]);

  arr.forEach((fixed, index, origin) => {
    const rest = origin.slice(index + 1);
    const combinations = getCombinations(rest, selectNumber - 1);
    const attached = combinations.map((combination) => [fixed, ...combination]);
    results.push(...attached);
  });

  return results;
};

function solution(nums) {
  let answer = 0;
  const set = new Set(nums);
  const uniqueNums = Array.from(set);
  const combiArr = getCombinations(uniqueNums, 3);

  for (let i = 0; i < combiArr.length; i++) {
    let sum = combiArr[i].reduce((a, b) => a + b);
    if (isPrime(sum)) answer++;
  }

  return answer;
}
반응형

댓글