我认为我的问题已使用VolkerK的答案通过this solution解决,但似乎无法正常工作。
我想要的是一个函数,它返回嵌套数组中包含的值的所有可能组合。
例如,如果我通过
[ ['a', 'b'], ['a', 'b'], ['a', 'b'], ['a'], ['a'], ['a'] ]
它将返回
a, a, a, a, a, a
b, b, b, a, a, a
a, a, b, a, a, a
a, b, a, a, a, a
b, a, a, a, a, a
a, b, b, a, a, a
b, b, a, a, a, a
b, a, b, a, a, a
使用VolkerK的答案的问题是,它只是在返回
a, a, a, a, a, a
b, b, b, a, a, a
a, a, a, a, a, a
b, b, b, a, a, a
a, a, a, a, a, a
b, b, b, a, a, a
a, a, a, a, a, a
b, b, b, a, a, a
下面的代码如何修复以返回我在上面所做的正确组合? (或者您可以编写执行上述操作的新功能吗?)
<?php
class PermArray implements ArrayAccess {
// todo: constraints and error handling - it's just an example
protected $source;
protected $size;
public function __construct($source) {
$this->source = $source;
$this->size = 1;
foreach ( $source as $a ) {
$this->size *= count($a);
}
}
public function count() { return $this->size; }
public function offsetExists($offset) { return is_int($offset) && $offset < $this->size; }
public function offsetGet($offset) {
$rv = array();
for ($c = 0; $c < count($this->source); $c++) {
$index = ($offset + $this->size) % count($this->source[$c]);
$rv[] = $this->source[$c][$index];
}
return $rv;
}
public function offsetSet($offset, $value ){}
public function offsetUnset($offset){}
}
$pa = new PermArray( [['x'], ['y', 'z', 'w'], ['m', 'n']] );
$cnt = $pa->count();
for($i=0; $i<$cnt; $i++) {
echo join(', ', $pa[$i]), "\n";
}
这里是一个非常“直截了当”的,不雅观的(或者如果您愿意的话,是丑陋的)解决方案,并且与您的预期订单不符(如果您愿意的话:]]
function P(array $sources)
{
$result=array();
$cache=array();
foreach($sources as $node)
{
$cache=$result;
$result=array();
foreach($node as $item)
{
if(empty($cache))
{
$result[]=array($item);
}
else
{
foreach($cache as $line)
{
$line[]=$item;
$result[]=$line;
}
}
}
}
return $result;
}
$result=P(array(array('a','b'),array('a','b'),array('a','b'),array('a'),array('a'),array('a')));
print_r(array_map(function($a){return implode(",",$a);},$result));
输出:
Array ( [0] => a,a,a,a,a,a [1] => b,a,a,a,a,a [2] => a,b,a,a,a,a [3] => b,b,a,a,a,a [4] => a,a,b,a,a,a [5] => b,a,b,a,a,a [6] => a,b,b,a,a,a [7] => b,b,b,a,a,a )
我将您的
[]
语法更改为array()
,以提供向后兼容(但匿名函数需要PHP 5.3)。
我在JavaScript中有一个可以做到这一点,但是可能可以移植到PHP。