N개의 자연수와 자연수 M이 주어졌을 때, 아래 조건을 만족하는 길이가 M인 수열을 모두 구하는 프로그램을 작성하시오.
- N개의 자연수 중에서 M개를 고른 수열
- 고른 수열은 비내림차순이어야 한다.
- 길이가 K인 수열 A가 A1 ≤ A2 ≤ ... ≤ AK-1 ≤ AK를 만족하면, 비내림차순이라고 한다.
백트래킹
이전 포스팅 [C++] 백준 15663: N과 M (9)을 참고하였다.
입력의 중복과 더불어 오름차순으로 값을 뽑으면 된다. [C++] 백준 15650: N과 M (2)와 유사한 문제.
N과 M(9)까지 풀었다면 쉽게 해결할 수 있다.
#include <stdio.h>
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;
vector<int> v;
int vcnt[10001], res[8], n, m, ncnt = 0;
void dfs(int cnt)
{
if (cnt >= m) {
for (int i = 0; i < m; i++)
printf("%d ", res[i]);
printf("\n");
return;
}
for (int i = 0; i < ncnt; i++) {
if (vcnt[v[i]] > 0) {
if (cnt == 0 || res[cnt - 1] <= v[i]) {
res[cnt] = v[i];
vcnt[v[i]]--;
dfs(cnt + 1);
vcnt[v[i]]++;
}
}
}
}
int main()
{
int input;
cin >> n >> m;
for (int i = 0; i < n; i++) {
scanf("%d", &input);
if (vcnt[input] == 0) {
v.push_back(input);
ncnt++;
}
vcnt[input]++;
}
sort(v.begin(), v.end());
dfs(0);
}