N개의 자연수와 자연수 M이 주어졌을 때, 아래 조건을 만족하는 길이가 M인 수열을 모두 구하는 프로그램을 작성하시오.
- N개의 자연수 중에서 M개를 고른 수열
- 같은 수를 여러 번 골라도 된다.
백트래킹
이전 포스팅 [C++] 백준 15663: N과 M (9)을 참고하였다.
입력의 중복과 함께 출력에도 중복을 허용하고 있다. 입력 시 vcnt[input]
으로 input
을 카운팅하여 중복을 허용하지 않았고, 출력에만 중복을 허용시키면 된다.
#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++) {
res[cnt] = v[i];
dfs(cnt + 1);
}
}
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);
}