PHP 배열의 모든 순열 찾기
['peter', 'paul', 'mary와 같은 문자열 배열이 있는 경우 '], 이 문서에서는 배열 요소의 가능한 모든 순열을 생성하는 방법을 보여줍니다. PHP로 프로그래밍하면 다양한 기능으로 이 목표를 달성할 수 있습니다.
한 가지 접근 방식은 순열을 생성하기 위해 재귀 알고리즘을 사용하는 pc_permute 함수를 사용하는 것입니다. 이 함수는 입력 배열을 인수로 사용하고 배열에 대한 선택적 매개변수를 사용하여 순열을 저장합니다. 입력 배열을 반복하면서 요소를 목록 앞으로 이동하고 업데이트된 배열로 자신을 재귀적으로 호출하여 새로운 순열을 생성합니다.
다음은 pc_permute 함수의 작동을 보여주는 코드 스니펫입니다. :
function pc_permute($items, $perms = array()) { if (empty($items)) { echo join(' ', $perms) . "<br />"; } else { for ($i = count($items) - 1; $i >= 0; --$i) { $newitems = $items; $newperms = $perms; list($foo) = array_splice($newitems, $i, 1); array_unshift($newperms, $foo); pc_permute($newitems, $newperms); } } } $arr = array('peter', 'paul', 'mary'); pc_permute($arr);
또 다른 접근 방식은 pc_next_permutation 함수는 약간 다른 알고리즘을 사용하여 순열을 생성합니다. 배열의 인접한 요소를 비교하고 필요한 경우 시퀀스의 다음 순열을 생성하기 위해 교체합니다.
다음은 pc_next_permutation 함수에 대한 코드 조각입니다.
function pc_next_permutation($p, $size) { // slide down the array looking for where we're smaller than the next guy for ($i = $size - 1; $p[$i] >= $p[$i+1]; --$i) { } // if this doesn't occur, we've finished our permutations // the array is reversed: (1, 2, 3, 4) => (4, 3, 2, 1) if ($i == -1) { return false; } // slide down the array looking for a bigger number than what we found before for ($j = $size; $p[$j] <= $p[$i]; --$j) { } // swap them $tmp = $p[$i]; $p[$i] = $p[$j]; $p[$j] = $tmp; // now reverse the elements in between by swapping the ends for (++$i, $j = $size; $i < $j; ++$i, --$j) { $tmp = $p[$i]; $p[$i] = $p[$j]; $p[$j] = $tmp; } return $p; } $set = split(' ', 'she sells seashells'); // like array('she', 'sells', 'seashells') $size = count($set) - 1; $perm = range(0, $size); $j = 0; do { foreach ($perm as $i) { $perms[$j][] = $set[$i]; } } while ($perm = pc_next_permutation($perm, $size) and ++$j); foreach ($perms as $p) { print join(' ', $p) . "\n"; }
위 내용은 PHP 배열의 가능한 모든 순열을 어떻게 생성할 수 있습니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!