반응형
- 소수 찾기
darklight
sublimevimemacs
Java
문제 설명
한자리 숫자가 적힌 종이 조각이 흩어져있습니다. 흩어진 종이 조각을 붙여 소수를 몇 개 만들 수 있는지 알아내려 합니다.
각 종이 조각에 적힌 숫자가 적힌 문자열 numbers가 주어졌을 때, 종이 조각으로 만들 수 있는 소수가 몇 개인지 return 하도록 solution 함수를 완성해주세요.
제한사항
- numbers는 길이 1 이상 7 이하인 문자열입니다.
- numbers는 0~9까지 숫자만으로 이루어져 있습니다.
- "013"은 0, 1, 3 숫자가 적힌 종이 조각이 흩어져있다는 의미입니다.
입출력 예
numbersreturn
"17" | 3 |
"011" | 2 |
입출력 예 설명
예제 #1
[1, 7]으로는 소수 [7, 17, 71]를 만들 수 있습니다.
예제 #2
[0, 1, 1]으로는 소수 [11, 101]를 만들 수 있습니다.
- 11과 011은 같은 숫자로 취급합니다.
나의 풀이)
import java.util.HashSet;
class Solution {
private static int cnt = 0;
private static String[] map;
private static String[] result;
private static boolean[] visit;
private static HashSet<Integer> list;
public int solution(String numbers) {
int answer = 0;
visit = new boolean[numbers.length()];
map = new String[numbers.length()];
map = numbers.split("");
list = new HashSet();
for (int i=1; i<=numbers.length(); i++) {
result = new String[i];
cycle(0, i, numbers.length());
}
return list.size();
}
public static void cycle(int start, int end, int length) {
if (start == end) {
findPrime();
} else {
for (int i=0; i<length; i++) {
if (!visit[i]) {
visit[i] = true;
result[start] = map[i];
cycle(start+1, end, length);
visit[i] = false;
}
}
}
}
public static void findPrime() {
// 숫자로 변환
String str = "";
for(int i=0; i<result.length; i++)
str += result[i];
int num = Integer.parseInt(str);
// 예외 처리
if(num == 1 || num == 0)
return;
// 소수 인지 검사
boolean flag = false;
for(int i=2; i<=Math.sqrt(num); i++){
if(num % i == 0)
flag = true;
}
if(!flag)
list.add(num);
}
}
BEST 풀이)
import java.util.HashSet;
class Solution {
public int solution(String numbers) {
HashSet<Integer> set = new HashSet<>();
permutation("", numbers, set);
int count = 0;
while(set.iterator().hasNext()){
int a = set.iterator().next();
set.remove(a);
if(a==2) count++;
if(a%2!=0 && isPrime(a)){
count++;
}
}
return count;
}
public boolean isPrime(int n){
if(n==0 || n==1) return false;
for(int i=3; i<=(int)Math.sqrt(n); i+=2){
if(n%i==0) return false;
}
return true;
}
public void permutation(String prefix, String str, HashSet<Integer> set) {
int n = str.length();
//if (n == 0) System.out.println(prefix);
if(!prefix.equals("")) set.add(Integer.valueOf(prefix));
for (int i = 0; i < n; i++)
permutation(prefix + str.charAt(i), str.substring(0, i) + str.substring(i+1, n), set);
}
}
짝수정도는 먼저 거르고 돌림
완전탐색 재귀함수 복잡해서 자주 써봐야겠다.
반응형
'컴퓨터공학 > 자료구조&알고리즘' 카테고리의 다른 글
[프로그래머스] 코딩테스트 고득점 Kit - DFS/BFS - 타겟 넘버 (0) | 2021.05.08 |
---|---|
[프로그래머스] 코딩테스트 고득점 Kit - 완전탐색 - 모의고사 (0) | 2021.05.08 |
[프로그래머스] 코딩테스트 고득점 Kit - 힙(Heap) - 더 맵게 (0) | 2021.05.08 |
[프로그래머스] 코딩테스트 고득점 Kit - 스택/큐 - 주식가격 (0) | 2021.05.08 |
[프로그래머스] 코딩테스트 고득점 Kit - 스택/큐 - 다리를 지나는 트럭 (0) | 2021.05.08 |
댓글