我认为我的问题已经使用this solution使用VolkerK的答案解决了,但它似乎没有正常工作。
我想要的是一个函数,它返回嵌套数组中包含的所有可能的值组合。
例如,如果我传入
[ ['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";
}
答案 0 :(得分:2)
这是一个非常“直接”,不优雅(或者如果你愿意的话)丑陋的解决方案,并且与你预期的订单不符(如果你愿意的话):
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)。
答案 1 :(得分:0)
我在JavaScript中有一个可以做到这一点,但它可能可以移植到PHP。