22

我有时会在生产中遇到此错误:

if( true == $objWebsite ) {
    $arrobjProperties = (array) $objWebsite->fetchProperties( );
    if( false == array_key_exists( $Id, $Properties ) ) {
       break;
    }
    $strBaseName = $strPortalSuffix . '/';

    return $strBaseName;
}

$strBaseName = $strSuffix ;
return $strBaseName;

我试图重现这个问题。但没有取得任何进展。$Id, $Properties 具有收到的价值。

有谁知道“不能中断/继续 1 级”何时出现在 PHP 中?

我看过这篇文章PHP Fatal error: Cannot break/continue。但没有得到任何帮助。

4

3 回答 3

33

您不能从 if 语句中“中断”。您只能从循环中中断。

如果你想用它来打破调用函数中的循环,你需要通过返回值来处理它——或者抛出一个异常。


返回值方法:

while (MyLoop) {
   $strSecureBaseName = mySubFunction();
   if ($strSecureBaseName === false) {   // Note the triple equals sign.
        break;
   }
   // Use $strSecureBaseName;
}

// Function mySubFunction() returns the name, or false if not found.

使用异常 - 这里是漂亮的例子:http: //php.net/manual/en/language.exceptions.php

<?php
function inverse($x) {
    if (!$x) {
        throw new \Exception('Division by zero.');
    } else {
        return 1/$x;
    }
}

try {
    echo inverse(5) . "\n";
    echo inverse(0) . "\n";
} catch (\Exception $e) {
    echo 'Caught exception: ',  $e->getMessage(), "\n";
}

// Continue execution
echo 'Hello World';
?>
于 2012-08-16T13:50:35.707 回答
1

如果您仍想从中中断if,可以使用 while(true)

前任。

$count = 0;
if($a==$b){
    while(true){
        if($b==$c){
            $count = $count + 3;
            break;  // By this break you will be going out of while loop and execute remaining code of $count++.
        }
        $count = $count + 5;  //
        break;  
    }
    $count++;
}

您也可以使用开关和默认值。

$count = 0;
if($a==$b){
    switch(true){
      default:  
         if($b==$c){
            $count = $count + 3;
            break;  // By this break you will be going out of switch and execute remaining code of $count++.  
        }
        $count = $count + 5;  //
    }
    $count++;
}
于 2016-01-27T13:09:55.550 回答
1

如果在一个函数中只是改变 break; 返回;

于 2016-01-14T23:36:49.337 回答