Помогите с For Loop.Значения повторяются - PullRequest
1 голос
/ 03 октября 2010
$teams = array(1, 2, 3, 4, 5, 6, 7, 8);
$game1 = array(2, 4, 6, 8);
$game2 = array();

, если teams[x] не в game1, вставить в game2

for($i = 0; $i < count($teams); $i++){
    for($j = 0; $j < count($game1); $j++){
        if($teams[$i] == $game1[$j]){
            break;
        } else {
            array_push($game2, $teams[$i]);
        }
    }
}

for ($i = 0; $i < count($game2); $i++) {
    echo $game2[$i];
    echo ", ";
}

Я ожидаю, что результат будет:

1, 3, 5, 7,

Однако я получаю:

1, 1, 1, 1, 3, 3, 3, 3, 4, 5, 5, 5, 5, 6, 6, 7, 7, 7, 7, 8, 8, 8,

Как я могу улучшить это? Спасибо

Ответы [ 3 ]

5 голосов
/ 03 октября 2010

Ваш цикл не работает, потому что каждый раз, когда элемент из $teams не равен элементу из $game1, он добавляет элемент $teams к $game2.Это означает, что каждый элемент добавляется к $game2 несколько раз.

Вместо этого используйте array_diff:

// Find elements from 'teams' that are not present in 'game1'
$game2 = array_diff($teams, $game1);
5 голосов
/ 03 октября 2010

Другие уже ответили о том, как использовать array_diff.

Причина, по которой ваш существующий цикл не работает:

    if($teams[$i] == $game1[$j]){
        // this is correct, if item is found..you don't add.
        break; 
    } else {
        // this is incorrect!! we cannot say at this point that its not present.
        // even if it's not present you need to add it just once. But now you are
        // adding once for every test.
        array_push($game2, $teams[$i]);
    }

Вы можете использовать флаг для исправления существующего кода как:

for($i = 0; $i < count($teams); $i++){
    $found = false; // assume its not present.
    for($j = 0; $j < count($game1); $j++){
        if($teams[$i] == $game1[$j]){
            $found = true; // if present, set the flag and break.
            break;
        }
    }
    if(!$found) { // if flag is not set...add.
        array_push($game2, $teams[$i]);
    }
}
1 голос
/ 03 октября 2010

Вы можете использовать PHP array_diff () :


$teams = array(1, 2, 3, 4, 5, 6, 7, 8);
$game1 = array(2, 4, 6, 8);
$game2 = array_diff($teams,$game1);

// $game2:
Array
(
    [0] => 1
    [2] => 3
    [4] => 5
    [6] => 7
)
...