嗨,我正在尝试构建一个函数,该函数将浏览所有可能的数字序列并通过函数将序列传递,如果返回true true停止。
这是标记:
function sequences($smallest, $biggest, $long, $func) {
$seq = array(); // Will have $long values
/*
* generates the sequence
*/
if (call_user_func($functions[$func])) {
return $seq;
} else {
//generate next sequence.
}
}
生成的序列将在$smallest
Integer到$biggest
Integer之间具有$long
unique ,必须进行排序示例:
/* $long = 4; $smallest = 5, $biggest = 10;
*
* 5,6,7,8
* 5,6,7,9
* 5,6,7,10
* 5,6,8,9
* 5,6,8,10
* ...
* 7,8,9,10
*
*
* $long = 4; $smallest = 15, $biggest = 60;
*
* ...
* 15,41,49,56
* ...
* 37,39,53,60
* ...
*/
我无法将其缠绕在它上,到目前为止,我唯一的方法就是随机生成数字,而不是每次对数组进行排序。这显然不是最好的方法。
其他编程语言也很棒(C ,C#,JS,Java)。
注释
- 它不是序列中的重复数,并且每个索引的值可能大于9。
- 在某些条件下测试序列并将返回true或false的函数,实际问题无关紧要的是一个无重复的序列。
这是您指定的序列的一个有趣的挑战。
下面的此代码应执行您想要的(我认为)。或者至少您应该能够修改它以满足您的需求。我不确定您是否希望sequences()
函数仅返回测试功能$functions[$func]
返回true
或到目前为止的所有序列的第一个序列。在此示例中,仅返回第一个"匹配"(如果找不到匹配,则null
)。
此代码需要PHP 5.5 ,因为它使用了生成器函数(以及PHP 5.4 中可用的简短数组语法)。我在PHP 5.5.12上测试了这一点,它似乎按预期工作。如果需要,可以修改代码以在较旧的PHP版本上使用(只需避免使用发电机/收益率)即可。实际上,这是我第一次写PHP Generator函数。
sequenceGenerator()
是一个递归生成器功能,您可以使用foreach
迭代。
i还编写了一个echoSequences()
功能,用于测试序列生成,该功能仅输出所有生成的序列,以使用Echo。
function sequenceGenerator(array $items, $long = null, $level = 1, $path = null) {
$itemCount = count($items);
if (empty($long)) $long = $itemCount;
if ($path == null) $path = [];
if ($itemCount > 1) {
foreach ($items as $item) {
$subPath = $path;
$subPath[] = $item;
if ($level == $long) {
yield $subPath;
continue;
}
if (count($subPath) + count($items) > $long) {
$items = array_values(array_diff($items, [$item]));
$iteration = sequenceGenerator($items, $long, $level + 1, $subPath);
foreach ($iteration as $value) yield $value;
}
}
} elseif ($itemCount == 1) {
$path[] = $items[0];
yield $path;
}
}
// Function for testing sequence generation
function echoSequences($smallest, $biggest, $long) {
$items = range($smallest, $biggest);
foreach (sequenceGenerator($items, $long) as $sequence) {
echo implode(',', $sequence)."<br>n";
}
}
function sequences($smallest, $biggest, $long, $func) {
global $functions;
$items = range($smallest, $biggest);
foreach (sequenceGenerator($items, $long) as $sequence) {
if (call_user_func($functions[$func], $sequence)) {
return $sequence;
}
}
return null; // Return null when $func didn't return true for any sequence
}
//echoSequences(5, 10, 4); // Test sequence generation
$functions = array(
// This test function returns true only for the sequence [5,6,8,10]
'testfunc' => function($sequence) { return ($sequence == [5,6,8,10]); }
);
$sequence = sequences(5, 10, 4, 'testfunc'); // Find the first sequence that 'testfunc' will return true for (or null)
if (!empty($sequence)) {
echo 'Found match: '.implode(',', $sequence);
} else {
echo 'Match not found';
}