[백준/BOJ] 백준 15650번 : N과 M (2)

2020. 9. 16. 22:40알고리즘 문제풀이

www.acmicpc.net/problem/15650

 

15650번: N과 M (2)

한 줄에 하나씩 문제의 조건을 만족하는 수열을 출력한다. 중복되는 수열을 여러 번 출력하면 안되며, 각 수열은 공백으로 구분해서 출력해야 한다. 수열은 사전 순으로 증가하는 순서로 출력해

www.acmicpc.net

m개의 수를 고르는데 중복되지 않고, 수열이 오름차순이어야 하므로, 이전에 고른 수 보다 큰 수만 고른다

 

코드

#include <iostream>
#include <algorithm>
#include <vector>
using namespace std;

int n, m;

void Solve(int last_selected, vector<int>& selected)
{
	//m개를 골랐을때
	if (selected.size() == m)
	{
		for (int i = 0; i < selected.size(); i++)
			cout << selected[i] << " ";
		cout << "\n";

		return;
	}

	//이전에 고른 수 보다 큰 수만 고른다
	for (int i = last_selected + 1; i <= n; i++)
	{
		selected.push_back(i);

		Solve(i, selected);

		selected.pop_back();
	}
}

int main()
{
	cin.tie(NULL);
	ios_base::sync_with_stdio(false);

	cin >> n >> m;

	vector<int> selected;

	Solve(0, selected);

	return 0;
}