我正在做一个Yahtzee游戏,我需要一种方法来计算一个小直线(一系列4个数字的顺序)。如此有效的将是:1,2,3,4 | 2,3,4,5 | 3,4,5,6。
我有一个包含5个数字的数组,我需要弄清楚这3个组合中的一个是否在该数组中。
对于那些不熟悉Yahtzee的人,有5个骰子(数组中的5个数字)可以是1-6个。
答案 0 :(得分:5)
function isStraight($hand) {
$straights = array(range(1, 4), range(2, 5), range(3, 6));
foreach($straights as $solution) {
if(array_intersect($solution, $hand) == $solution) {
return $solution;
}
}
return false;
}
$hand = array(1,5,2,4,3);
var_dump(isStraight($hand));
不确定游戏规则,但应该这样做。
该函数将返回它找到的第一个解决方案 - 在本例中为[1,2,3,4]
。如果它没有找到任何直道,它将返回布尔值false
。希望这会有所帮助。
答案 1 :(得分:1)
也许是这样的:---警告---航空编码
function findSequenceLength(array $array)
{
// Filter duplicates out - and sort the array.
$sorted = array_unique($array, SORT_NUMERIC);
$lastValue = null;
$thisSeq = 0;
$longestSeq = 0;
foreach ($sorted as $value)
{
if ( ( $lastValue !== null ) && $value == $lastValue + 1)
{
// our value is exactly one above the last entry
// increase the counter
$thisSeq++;
} else {
// sequence ended - save the value
$longestSeq = max($longestSeq, $thisSeq);
$thisSeq = 1;
}
$lastValue = $value;
}
return max($longestSeq, $thisSeq);
}
$sequence = array(1,2,4,5,4,6);
echo findSequenceLength($sequence); // should return 3 [4,5,6]
然后你可以测试“序列长度”是> = 4来测试你的“小直”
答案 2 :(得分:0)
更确切地说:
function array_match($array, $target_array) {
$offset = 0;
$maxoffset = sizeof($target_array) - sizeof($array);
for($y=0;$y<$maxoffset;$y++) {
$result = true;
for($x=0;$x<sizeof($array);$x++) {
if ($array[$x] != $target_array[$x+$y] ) {
$result = false;
continue;
}
}
if ($result)
return "true";
}
return "false";
}
echo array_match(array(1,2,3), array(1,2,3,4,5)); //true
echo array_match(array(1,2,3), array(4,1,2,3,5)); //true
echo array_match(array(1,2,3), array(4,2,2,1,2)); //false
答案 3 :(得分:0)
这是另一个想法,使用泛型isStraight()方法并使用它来测试两个数组切片。
$tests = array(
array(1,2,3,4,5),
array(1,1,2,3,4),
array(4,3,2,1,4),
array(3,4,5,6,1)
);
foreach($tests as $test) {
print_r($test);
echo "Straight: ";
var_dump(isStraight($test));
echo "Short Straight: ";
var_dump(isShortStraight($test));
echo "\n";
}
function isShortStraight($hand) {
return isStraight(array_slice($hand, 0, 4)) ||
isStraight(array_slice($hand, 1, 4));
}
function isStraight($hand) {
$unique = array_unique($hand);
if (count($hand) != count($unique)) {
/* Has Duplicates, not a straight */
return false;
}
sort($unique);
if ($unique != $hand) {
/* Sort order changed, not a straight */
return false;
}
return true;
}