프로그래머스의 문제중 소수찾기를 풀어보았다.
처음에 했던 풀이
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
|
#include <string>
#include <vector>
#include <iostream>
using namespace std;
bool IsPrimeNum(int n) {
if ((n % 2) == 0)
return (n == 2);
for (int i = 3; i * i <= n; i++) {
if ((n % i) == 0)
return false;
}
return true;
}
int solution(int n) {
int answer = 0;
int check_num = 0;
if (n == 2)
return 1;
else
answer = 1;
check_num = 3;
while (check_num <= n) {
if (IsPrimeNum(check_num))
answer++;
check_num = check_num + 2;// 홀수만
}
return answer;
}
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter
|
처음에는 순차적으로 소수인지 모두 판별하였다(짝수를 제외하고)
실행 결과값은 맞았지만 효율성에서 매우 fail
그래서 에라토스테네스의 체를 사용했다
에라토스테네스의 체를 이용한 C++ 풀이
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
|
#include <string>
#include <vector>
#include <cstdlib>
using namespace std;
int solution(int n) {
int answer = 0;
bool* IsPrime = new bool[n+1];
for (int i = 2; i <= n; i++) {
IsPrime[i] = true;
}
for (int i = 2; i * i <= n; i++) {
if (IsPrime[i]) {
for (int j = i*i; j <= n; j+=i)
IsPrime[j] = false;
}
}
for (int i = 2; i <= n; i++)
answer += IsPrime[i];
return answer;
}
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter
|
에라토스테네스의 체를 이용한 Python3 풀이
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
|
def solution(n):
answer = 0
PrimeArr = [0 for i in range(n+1)]
for i in range (2,n+1):
PrimeArr[i] = True
for i in range (2,n+1):
if PrimeArr[i] is True:
j = i*i
while (j)<=n:
PrimeArr[j] = False
j = j+i
answer += 1
return answer
http://colorscripter.com/info#e" target="_blank" style="color:#e5e5e5text-decoration:none">Colored by Color Scripter
|
에라토스테네스의 체를 이용하니까 풀이도 맞고 시간효율성도 좋아서 효율성도 통과했다.
'About > Algorithm' 카테고리의 다른 글
[프로그래머스][C++] 카카오 프렌즈 컬러링 북 (0) | 2020.03.28 |
---|---|
[프로그래머스][C++] 스킬트리 (0) | 2020.03.28 |
[프로그래머스][C++] 땅따먹기 (0) | 2020.03.28 |
[프로그래머스][C++] 가운데 글자 가져오기 (0) | 2020.03.26 |
[프로그래머스][C++] 124 나라의 숫자 (0) | 2020.03.26 |