https://www.acmicpc.net/problem/15650
문제
자연수 N과 M이 주어졌을 때, 아래 조건을 만족하는 길이가 M인 수열을 모두 구하는 프로그램을 작성하시오.
- 1부터 N까지 자연수 중에서 중복 없이 M개를 고른 수열
- 고른 수열은 오름차순이어야 한다.
입력
첫째 줄에 자연수 N과 M이 주어진다. (1 ≤ M ≤ N ≤ 8)
출력
한 줄에 하나씩 문제의 조건을 만족하는 수열을 출력한다. 중복되는 수열을 여러 번 출력하면 안되며, 각 수열은 공백으로 구분해서 출력해야 한다.
수열은 사전 순으로 증가하는 순서로 출력해야 한다.
라이브러리 itertools.combinations
from itertools import combinations as cb
N, M = map(int, input().split())
for i in sorted(list(cb(range(1, N+1), M))):
print(*i)
백트래킹
def dfs(N, M, LIST):
if len(LIST) == M:
print(*LIST)
for i in range(1, N+1):
if i not in LIST:
if len(LIST) > 0 and max(LIST) > i:
continue
else:
LIST.append(i)
dfs(N, M, LIST)
LIST.pop()
N, M = map(int, input().split())
dfs(N, M, [])
# 또는
def dfs(N, M, LIST, start):
if len(LIST) == M:
print(*LIST)
for i in range(start, N+1):
if i not in LIST:
LIST.append(i)
dfs(N, M, LIST, i+1)
LIST.pop()
N, M = map(int, input().split())
dfs(N, M, [], 1)
'Coding Test > 백준' 카테고리의 다른 글
[백준] / [Python] / [15652] N과 M (4) (0) | 2022.11.18 |
---|---|
[백준] / [Python] / [15651] N과 M (3) (0) | 2022.11.18 |
[백준] / [Python] / [15649] N과 M (1) (0) | 2022.11.18 |
[백준] / [Python] / [2981] 검문 (0) | 2022.11.17 |
[백준] / [Python] / [2004] 조합 0의 개수 (0) | 2022.11.17 |