[php] if와 foreach에서 벗어나 다

foreach 루프와 if 문이 있습니다. 일치하는 것이 발견되면 궁극적으로 foreach에서 벗어날 필요가 있습니다.

foreach($equipxml as $equip) {
    $current_device = $equip->xpath("name");
    if ( $current_device[0] == $device ) {
        // found a match in the file            
        $nodeid = $equip->id;
        <break out of if and foreach here>
    }
}



답변

if 루프 구조가 아니므로 “분리 할 수 ​​없습니다”.

그러나 foreach간단히 전화를 걸어서 벗어날 수 있습니다 break. 귀하의 예에서 원하는 효과가 있습니다.

foreach($equipxml as $equip) {
    $current_device = $equip->xpath("name");
    if ( $current_device[0] == $device ) {
        // found a match in the file            
        $nodeid = $equip->id;

        // will leave the foreach loop and also the if statement
        break;
    }
    this_command_is_not_executed_after_a_match_is_found();
}

답을 찾고있는이 질문에 걸려 넘어지는 다른 사람들을위한 완전성 ..

break선택적인 인수를 취하는데, 얼마나 많은 루프 구조를 끊어야 하는지 정의 합니다 . 예:

foreach (array('1','2','3') as $a) {
    echo "$a ";
    foreach (array('3','2','1') as $b) {
        echo "$b ";
        if ($a == $b) {
            break 2;  // this will break both foreach loops
        }
    }
    echo ". ";  // never reached
}
echo "!";

결과 출력 :

1 3 2 1!


답변

foreach($equipxml as $equip) {
    $current_device = $equip->xpath("name");
    if ( $current_device[0] == $device ) {
        // found a match in the file            
        $nodeid = $equip->id;
        break;
    }
}

간단하게 사용하십시오 break. 그렇게 할 것입니다.


답변

PHP에서 foreachor while루프를 깨는 데 더 안전한 방법 은 증가하는 카운터 변수와 if조건을 원래 루프 안에 중첩시키는 것 입니다. 이렇게하면 break;복잡한 페이지에서 다른 곳을 혼란스럽게 할 수있는 것보다 더 엄격하게 제어 할 수 있습니다.

예:

// Setup a counter
$ImageCounter = 0;

// Increment through repeater fields
while ( condition ):
  $ImageCounter++;

   // Only print the first while instance
   if ($ImageCounter == 1) {
    echo 'It worked just once';
   }

// Close while statement
endwhile;


답변

여기에 착륙하지만 include 문을 포함하는 루프에서 벗어나는 방법을 검색하는 경우 break 또는 continue 대신 return을 사용하십시오.

<?php

for ($i=0; $i < 100; $i++) {
    if (i%2 == 0) {
        include(do_this_for_even.php);
    }
    else {
        include(do_this_for_odd.php);
    }
}

?>

do_this_for_even.php 안에있을 때 깨고 싶다면 return을 사용해야합니다. break 또는 continue를 사용하면이 오류가 반환됩니다. 1 단계를 중단 / 계속할 수 없습니다. 자세한 내용은 여기 에서 찾았 습니다


답변