Post

Programmers_BruteForce02 - 소수찾기

프로그래머스 -소수찾기 문제 입니다.

1. 문제

https://programmers.co.kr/learn/courses/30/parts/12077


2. 분류 및 난이도

Programmers 문제입니다.
level 2의 문제입니다.


3. 생각한 것들(문제 접근 방법)

  • 문자열.. 어질어질
  • 문자열의 크기만큼 에라토스테네스의 체를 이용해 소수를 저장했습니다.
  • 그 이후 문자열의 각각 인덱스의 정수값을 카운트하여 소수 전체를 돌며 속한 값이 없으면 0을리턴하고 하나라도 존재하면 1을 리턴하여 더했습니다.

4. 접근 방법을 적용한 코드

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
#include <string>
#include <vector>
#include<iostream>
#include<cmath>
#include<cstring>
using namespace std;
bool* PrimeArray;

int counting[10] = { 0, };
void Eratos(int n)
{
	PrimeArray = new bool[n + 1];
	cout << n;
	if (n <= 1) return;

	for (int i = 2; i <= n; i++)
		PrimeArray[i] = true;
	for (int i = 2; i * i <= n; i++)
	{
		if (PrimeArray[i])
			for (int j = i * i; j <= n; j += i)
				PrimeArray[j] = false;
	}

	// 이후의 작업 ...
}
bool check(int* counting,int input)
{
	while (input != 0)
	{
		int num1 = input % 10;
		if (counting[num1] == 0)
			return false;
		else
			counting[num1]--;
		input /= 10;
	}
	return true;
	
}

int solution(string numbers) {
	int answer = 0;
	size_t strsize = numbers.size();
	int tempcount[10] = { 0, };
	for (size_t i = 0; i < strsize; ++i)
	{
		counting[numbers[i] - 48]++;
	}
	int maxsize = pow(10, strsize);
	Eratos(maxsize);
	for (int i = 2; i < maxsize; ++i)
	{
		if (PrimeArray[i])
		{
			memcpy(tempcount, counting,sizeof(counting));
			answer += check(tempcount,i);
		}
	}
	return answer;
}

5. 결과

This post is licensed under CC BY 4.0 by the author.