Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- 가중치없는그래프
- 프로그래머스
- 스택
- 알고리즘
- 정렬
- Bruteforce
- 집합
- git
- 재귀
- 트리
- 멘딕스
- domain model
- 해시맵
- lcap
- 완전탐색
- algorithm
- SQL
- dfs
- 이분탐색
- Sort
- 자바
- MySQL
- Mendix
- 백트래킹
- Recursion
- 그래프
- 자료구조
- microflow
- 매개변수 탐색
- 반효경교수님
Archives
- Today
- Total
mondegreen
순열(Permutation; 순서 O 중복 X) 본문
반응형
순서 O 중복 X
서로 다른 것들 중 몇 개를 뽑아서 나열하는 것
import java.util.Scanner;
public class Main {
static int n, m;
static int[] selected;
static boolean[] used;
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
n = sc.nextInt();
m = sc.nextInt();
selected = new int[m + 1];
used = new boolean[n + 1];
rec(1);
sc.close();
}
private static void rec(int idx) {
// 기저조건
if (idx == m + 1) { //정해진 개수 다 뽑으면 출력
for (int s = 1; s < selected.length; s++) {
System.out.print(selected[s] + " ");
}
System.out.println();
return;
}
// 유도조건
for (int i = 1; i <= n; i++) {
if (used[i]) { //중복 없이 고르기 위함
continue;
}
selected[idx] = i;
used[i] = true; // 방문 처리
rec(idx + 1); // 그 다음 수 뽑기
used[i] = false; // 방문 처리 취소
}
}
}
참고. 중복 순열(순서 O 중복 O)
import java.util.Scanner;
public class Main {
static int n, m;
static int[] arr;
static StringBuilder sb;
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
n = sc.nextInt();
m = sc.nextInt();
arr = new int[m + 1];
sb = new StringBuilder();
rec(1);
System.out.println(sb.toString());
sc.close();
}
private static void rec(int idx) {
// 기저조건
if (idx == m + 1) { // 개수에 맞게 다 뽑으면 종료
for (int a = 1; a < arr.length; a++) {
sb.append(arr[a]).append(" ");
}
sb.append("\n");
return;
}
// 유도조건
for (int i = 1; i <= n; i++) { // 뽑았는지 여부 중요치 않음
arr[idx] = i;
rec(idx + 1);
}
}
}
반응형
'알고리즘 풀이 및 리뷰 > 알고리즘 이론' 카테고리의 다른 글
부분집합(Subset) (0) | 2023.06.05 |
---|---|
조합(Combination; 순서 X 중복 X) (0) | 2023.06.05 |
완전검색(Brute Force, Generate and test) (0) | 2023.06.05 |
재귀 (0) | 2023.06.05 |
검색 (0) | 2023.02.19 |