본문 바로가기
Python/Python FAQ

Python 리스트의 모든 순열을 생성하는 방법은 무엇인가요?, How do I generate all permutations of a list?

by 베타코드 2023. 6. 30.
반응형

질문


리스트의 모든 순열을 생성하는 방법은 무엇인가요? 예를 들어:

permutations([])
[]

permutations([1])
[1]

permutations([1, 2])
[1, 2]
[2, 1]

permutations([1, 2, 3])
[1, 2, 3]
[1, 3, 2]
[2, 1, 3]
[2, 3, 1]
[3, 1, 2]
[3, 2, 1]

답변


표준 라이브러리의 itertools.permutations을 사용하세요:

import itertools
list(itertools.permutations([1, 2, 3]))

여기에서 적용된 itertools.permutations의 구현 예시입니다:

def permutations(elements):
    if len(elements) <= 1:
        yield elements
        return
    for perm in permutations(elements[1:]):
        for i in range(len(elements)):
            # nb elements[0:1] works in both string and list contexts
            yield perm[:i] + elements[0:1] + perm[i:]

itertools.permutations의 몇 가지 대체 접근 방식이 문서에 나와 있습니다. 다음은 그 중 하나입니다:

def permutations(iterable, r=None):
    # permutations('ABCD', 2) --> AB AC AD BA BC BD CA CB CD DA DB DC
    # permutations(range(3)) --> 012 021 102 120 201 210
    pool = tuple(iterable)
    n = len(pool)
    r = n if r is None else r
    if r > n:
        return
    indices = range(n)
    cycles = range(n, n-r, -1)
    yield tuple(pool[i] for i in indices[:r])
    while n:
        for i in reversed(range(r)):
            cycles[i] -= 1
            if cycles[i] == 0:
                indices[i:] = indices[i+1:] + indices[i:i+1]
                cycles[i] = n - i
            else:
                j = cycles[i]
                indices[i], indices[-j] = indices[-j], indices[i]
                yield tuple(pool[i] for i in indices[:r])
                break
        else:
            return

또 다른 방법으로는 itertools.product을 기반으로 한 방법이 있습니다:

def permutations(iterable, r=None):
    pool = tuple(iterable)
    n = len(pool)
    r = n if r is None else r
    for indices in product(range(n), repeat=r):
        if len(set(indices)) == r:
            yield tuple(pool[i] for i in indices)
반응형

댓글