프로그래머스 코딩 문제 2020/12/29 - Lv.2 소수 만들기
[문제]
주어진 숫자 중 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 solution(nums) {
const primes = getCombinations(nums, 3).map(arr => arr.reduce((acc, num) => acc += num, 0));
return primes.filter(n => {
for(let i = 2; i <= Math.sqrt(n); i++) {
if(!(n % i)) return false;
}
return true;
}).length;
}
function getCombinations(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;
}
조합 구하는 로직으로 getCombinations
함수를 사용.
각 조합으로 나온 배열 요소의 합 중에서 소수만 filter
로 뽑아내
배열에 남은 요소를 return
.
Author And Source
이 문제에 관하여(프로그래머스 코딩 문제 2020/12/29 - Lv.2 소수 만들기), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다
https://velog.io/@hemtory/20201229
저자 귀속: 원작자 정보가 원작자 URL에 포함되어 있으며 저작권은 원작자 소유입니다.
우수한 개발자 콘텐츠 발견에 전념
(Collection and Share based on the CC Protocol.)
function solution(nums) {
const primes = getCombinations(nums, 3).map(arr => arr.reduce((acc, num) => acc += num, 0));
return primes.filter(n => {
for(let i = 2; i <= Math.sqrt(n); i++) {
if(!(n % i)) return false;
}
return true;
}).length;
}
function getCombinations(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;
}
조합 구하는 로직으로 getCombinations
함수를 사용.
각 조합으로 나온 배열 요소의 합 중에서 소수만 filter
로 뽑아내
배열에 남은 요소를 return
.
Author And Source
이 문제에 관하여(프로그래머스 코딩 문제 2020/12/29 - Lv.2 소수 만들기), 우리는 이곳에서 더 많은 자료를 발견하고 링크를 클릭하여 보았다 https://velog.io/@hemtory/20201229저자 귀속: 원작자 정보가 원작자 URL에 포함되어 있으며 저작권은 원작자 소유입니다.
우수한 개발자 콘텐츠 발견에 전념 (Collection and Share based on the CC Protocol.)