Как можно генерировать раунды перестановки

Я хочу построить футбольный матч, и я должен генерировать все раунды между командами.
Тогда у меня есть такой массив

$array = array(1,2,3,4,5,6,7,8);

Как можно генерировать все перестановки между элементами без повторений.

array(1,2)
array(3,4)
array(5,6)
array(7,8)

Следующая итерация

array(1,3)
array(2,4)
array(5,7)
array(6,8)

При нормальных перестановках получайте дубликаты вот так

(1 2) (3 4) (5 6) (7 8)
(2 1) (3 4) (5 6) (7 8)

3 и 4 были уже в предыдущем туре. Те же 5 на 6 и 7 на 8.

0

Решение

Для полноты (на SO) вот код, отправленный с другой ответ (благодаря комментарию m69 выше):

/******************************************************************************
* Round Robin Pairing Generator
* Author: Eugene Wee
* Date: 23 May 2005
* Last updated: 13 May 2007
* Based on an algorithm by Tibor Simko.
*
* Copyright (c) 2005, 2007 Eugene Wee
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
******************************************************************************/

function generateRoundRobinPairings($num_players) {
// Do we have a positive number of players? If not, default to 4.
$num_players = ($num_players > 0) ? (int)$num_players : 4;

// If necessary, round up number of players to nearest even number.
$num_players += $num_players % 2;

// Format for pretty alignment of pairings across rounds.
$format = "%0" . ceil(log10($num_players)) . "d";
$pairing = "$format-$format ";

// Set the return value
$ret = $num_players . " Player Round Robin:\n-----------------------";

// Generate the pairings for each round.
for ($round = 1; $round < $num_players; $round++) {
$ret .= sprintf("\nRound #$format : ", $round);
$players_done = array();

// Pair each player except the last.
for ($player = 1; $player < $num_players; $player++) {
if (!in_array($player, $players_done)) {
// Select opponent.
$opponent = $round - $player;
$opponent += ($opponent < 0) ? $num_players : 1;

// Ensure opponent is not the current player.
if ($opponent != $player) {
// Choose colours.
if (($player + $opponent) % 2 == 0 xor $player < $opponent) {
// Player plays white.
$ret .= sprintf($pairing, $player, $opponent);
} else {
// Player plays black.
$ret .= sprintf($pairing, $opponent, $player);
}

// This pair of players are done for this round.
$players_done[] = $player;
$players_done[] = $opponent;
}
}
}

// Pair the last player.
if ($round % 2 == 0) {
$opponent = ($round + $num_players) / 2;
// Last player plays white.
$ret .= sprintf($pairing, $num_players, $opponent);
} else {
$opponent = ($round + 1) / 2;
// Last player plays black.
$ret .= sprintf($pairing, $opponent, $num_players);
}
}

return $ret;
}
1

Другие решения

Я использую array_filter, чтобы отсеять повторы и случай, когда команды будут играть сами.

<?php
$teams = range(1,8);

$match_permutations = array();

foreach($teams as $team1) {
foreach($teams as $team2) {
$match_permutations[] = array($team1, $team2);
}
}

//var_dump($match_permutations);

$match_combinations = array_filter($match_permutations,
function($item) {
if($item[0] < $item[1]) return true;
}
);

var_dump($match_combinations);
-1

Если бы у нас было четыре команды, мы могли бы выписать все возможные варианты перестановок, например:

(1, 1) (1, 2) (1, 3) (1, 4)
(2, 1) (2, 2) (2, 3) (2, 4)
(3, 1) (3, 2) (3, 3) (3, 4)
(4, 1) (4, 2) (4, 3) (4, 4)

Вы можете увидеть повторы, отраженные по диагонали.

Я использовал следующий код для вывода выше:

for($i=1; $i<5; $i++) {
for($j=1; $j<5; $j++) {
echo "($i, $j) ";
}
echo "\n";
}

Если мы заботимся только о куплетах, где $ i меньше, чем $ j. Или, альтернативно, где $ i больше, чем $ j, мы отсеиваем дубликаты и саму диагональ (где команды играют сами).

function team_combinations($no_teams) {
$combinations = array();
for($i=1; $i<=$no_teams; $i++) {
for($j=1; $j<=$no_teams; $j++) {
if($i < $j)
$combinations[] = array($i, $j);
}
}

return $combinations;
}

var_export(team_combinations(4));

Выход:

array (
0 =>
array (
0 => 1,
1 => 2,
),
1 =>
array (
0 => 1,
1 => 3,
),
2 =>
array (
0 => 1,
1 => 4,
),
3 =>
array (
0 => 2,
1 => 3,
),
4 =>
array (
0 => 2,
1 => 4,
),
5 =>
array (
0 => 3,
1 => 4,
),
)
-1
По вопросам рекламы [email protected]