본문 바로가기
Problem Solving

[c++][python][백준 15649] N과 M (1)

by wadekang 2022. 3. 22.

백준 15649번: N과 M (1) [Silver 3]
https://www.acmicpc.net/problem/15649
 

15649번: N과 M (1)

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

www.acmicpc.net

문제 풀이

  • 이 문제는 DFS - 백트랙킹 문제입니다.
  • 중복된 숫자 방지를 위한 check array와 순열의 숫자를 담은 array를 선언하여 순열 array에 M개의 숫자가 담기게 되면 해당 array를 출력하고 return 합니다.

코드 (c++)

#include <cstdio>

using namespace std;

int n, m;
int arr[10];
bool check[10];

void dfs(int idx) {
    if(idx == m) {
        for(int i=0; i<m; ++i) printf("%d ", arr[i]);
        putchar('\n');
        return;
    }
    
    for(int i=1; i<=n; ++i) {
        if(!check[i]) {
            check[i] = true;
            arr[idx] = i;
            dfs(idx+1);
            check[i] = false;
        }
    }
}

int main() {
    scanf("%d %d", &n, &m);
    dfs(0);
    return 0;
}

코드 (python)

n, m = map(int, input().split())

check = [False] * (n+1)
arr = [0] * m

def dfs(idx):
    if idx == m:
        print(' '.join(map(str, arr)))
        return
    
    for i in range(1, n+1):
        if not check[i]:
            check[i] = True
            arr[idx] = i
            dfs(idx+1)
            check[i] = False
            
dfs(0)

실행 결과

 

댓글