Notice
250x250
Recent Posts
Recent Comments
Link
넘치게 채우기
[프로그래머스] 소수 찾기 본문
728x90
반응형
https://school.programmers.co.kr/learn/courses/30/lessons/42839
문제 유형 : 브루트 포스 / 수학
문제 난이도 : Level 2
문제
한자리 숫자가 적힌 종이 조각이 흩어져있습니다. 흩어진 종이 조각을 붙여 소수를 몇 개 만들 수 있는지 알아내려 합니다.
각 종이 조각에 적힌 숫자가 적힌 문자열 numbers가 주어졌을 때, 종이 조각으로 만들 수 있는 소수가 몇 개인지 return 하도록 solution 함수를 완성해주세요.
제한사항
- numbers는 길이 1 이상 7 이하인 문자열입니다.
- numbers는 0~9까지 숫자만으로 이루어져 있습니다.
- "013"은 0, 1, 3 숫자가 적힌 종이 조각이 흩어져있다는 의미입니다.
풀이
모든 수의 순열을 구하고, 하나하나 소수 판별법을 이용하면 된다.
(에라토스테네스의 체, 2부터 루트 n까지 나누어 떨어지지 않으면 n은 소수이다)
코드(C++)
#include <string>
#include <vector>
#include <cmath>
#include <set>
#include <algorithm>
using namespace std;
bool _isPrime(int n) {
if (n < 2)
return false;
for (int i = 2; i <= sqrt(n); i++) {
if (n % i == 0) {
return false;
}
}
return true;
}
int solution(string numbers) {
int answer = 0;
int n = numbers.length();
vector<int> cards;
set<int> nums;
for (int i = 0; i < n; i++) {
int num = static_cast<int>(numbers[i]);
cards.push_back(num);
}
sort(cards.begin(), cards.end());
do {
string temp = "";
for (int i = 0; i < n; i++) {
temp.push_back(static_cast<char>(cards[i]));
nums.insert(stoi(temp));
}
} while (next_permutation(cards.begin(), cards.end()));
for (int num : nums) {
if (_isPrime(num)) {
answer++;
}
}
return answer;
}
728x90
반응형
'PS > Programmers' 카테고리의 다른 글
[프로그래머스] 조이스틱 (0) | 2023.07.14 |
---|---|
[프로그래머스] K번째 수 (0) | 2023.07.13 |
[프로그래머스] 정수 삼각형 (0) | 2023.05.25 |
[프로그래머스] 게임 맵 최단거리 (0) | 2023.05.02 |
[프로그래머스] 같은 숫자는 싫어 (0) | 2023.05.02 |