在PHP中生成数组的所有组合,处置和排列的最有效方法是什么?
答案 0 :(得分:7)
以下是获取所有排列的代码:
http://php.net/manual/en/function.shuffle.php#90615
使用获得功率集的代码,排列是最大长度的排列,功率集应该是所有组合。我不知道什么是性格,所以如果你能解释它们,那会有所帮助。
答案 1 :(得分:6)
您可以使用此课程:http://pear.php.net/package/Math_Combinatorics
并使用它:
$combinatorics = new Math_Combinatorics;
$words_arr = array(
'one' => 'a',
'two' => 'b',
'three' => 'c',
'four' => 'd',
);
for ($i=count($words_arr)-1;$i>=1;$i--) {
echo '<br><br>' . $i . ':<br>';
$combinations_arr = $combinatorics->combinations($words_arr, $i);
foreach ($combinations_arr as $combinations_arr_item) {
echo implode(', ', $combinations_arr_item) . '<br>';
}
}
答案 2 :(得分:2)
/* Combinations */
function nCr($n, $r)
{
if ($r > $n)
{
return NaN;
}
if (($n - $r) < $r)
{
return nCr($n, ($n - $r));
}
$return = 1;
for ($i = 0; $i < $r; $i++)
{
$return *= ($n - $i) / ($i +1);
}
return $return;
}
/* Permutations */
function nPr($n, $r)
{
if ($r > $n)
{
return NaN;
}
if ($r)
{
return $n * (nPr($n -1, $r -1));
}
else
{
return 1;
}
}
答案 3 :(得分:2)
我想建议我的 CombinationsGenerator 解决方案,它会生成数组项的组合。
它仅限于所有组合的全长,而不是重复任何项目。但我相信实施不会太难。
class CombinationsGenerator
{
public function generate(array $list): \Generator
{
if (count($list) > 2) {
for ($i = 0; $i < count($list); $i++) {
$listCopy = $list;
$entry = array_splice($listCopy, $i, 1);
foreach ($this->generate($listCopy) as $combination) {
yield array_merge($entry, $combination);
}
}
} elseif (count($list) > 0) {
yield $list;
if (count($list) > 1) {
yield array_reverse($list);
}
}
}
}
$generator = new \CombinationsGenerator();
foreach ($generator->generate(['A', 'B', 'C', 'D']) as $combination) {
var_dump($combination);
}
它采用PHP7风格,使用\Generator
因为我认为有充分理由这样做。
答案 4 :(得分:0)
我必须修改@hejdav的答案,以便包括部分组合,以便完全提供所有结果。
我在Internet上搜索了该解决方案,截至2019年6月,我相信这是唯一(无论在任何地方)可公开访问的答案,它真正列出了所有可能的,不可重复的可能性。
class CombinationsGenerator
{
/**
* Taken from https://stackoverflow.com/a/39447347/430062.
*
* @param array $list
* @return \Generator
*/
public function generate(array $list): \Generator
{
// Generate even partial combinations.
$list = array_values($list);
$listCount = count($list);
for ($a = 0; $a < $listCount; ++$a) {
yield [$list[$a]];
}
if ($listCount > 2) {
for ($i = 0; $i < count($list); $i++) {
$listCopy = $list;
$entry = array_splice($listCopy, $i, 1);
foreach ($this->generate($listCopy) as $combination) {
yield array_merge($entry, $combination);
}
}
} elseif (count($list) > 0) {
yield $list;
if (count($list) > 1) {
yield array_reverse($list);
}
}
}
}