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

[프로그래머스] 소수찾기 c++

by 오오오니 2024. 1. 22.

풀이

1. 소수가 나올 가능성이 있는 크기만큼 소수를 체크할수있는 배열 p_num을 만든다.

2. 백트래킹을 활용해서 나올수 있는 모든 숫자들을 만들고 소수인지 체크한다.

3. 소수의 중복제거를 위해 set을 활용해 소수개수를 세어준다.

#include <string>
#include <vector>
#include <cmath>
#include <set>
using namespace std;
string number;
vector<bool>chk;
vector<bool> p_num;
set<int> make_n;
void dfs(int index, string s){
    if(index>0){
        if(!p_num[stoi(s)]){
            make_n.insert(stoi(s));
        }
           
    }
    for(int i =0 ;i<number.size();i++){
        if(chk[i])
            continue;
        chk[i]=true;
        dfs(index+1, s+number[i]);
        chk[i]=false;
 
    }
}

int solution(string numbers) {

    int size = numbers.size();
    int range = pow(10,size);
    int answer=0;
    number=numbers;
    //소수가 나올수있는 범위구하기 2자리수면 99까지 나올수 있으니까 100이하로 소수다 구하기
    
    chk.resize(numbers.size());
    p_num.resize(range);
    
    p_num[0]=true;
    p_num[1]=true;
    
   for(int i=2;i<range;i++){
      if(p_num[i])
          continue;
       for(int j=i+i;j<range;j+=i){
           p_num[j]=true;
       }    
   }
   
   dfs(0,"");
    
    return answer = make_n.size();
}