PHP, continue; on foreach(){ foreach(){

Is there a way to continue on external foreach in case that the internal foreach meet some statement ?

In example

foreach($c as $v)
{
    foreach($v as $j)
    {
        if($j = 1)
        {
            continue; // But not the internal foreach. the external;
        }
    }
}

Try this, should work:

continue 2;

From the PHP Manual:

Continue accepts an optional numeric argument which tells it how many levels of enclosing loops it should skip to the end of.

here in the examples (2nd exactly) described code you need


Try this: continue 2; According to manual:

continue accepts an optional numeric argument which tells it how many levels of enclosing loops it should skip to the end of. 

There are two solutions available for this situation, either use break or continue 2. Note that when using break to break out of the internal loop any code after the inner loop will still be executed.

foreach($c as $v)
{
    foreach($v as $j)
    {
        if($j = 1)
        {
            break;
        }
    }
    echo "This line will be printed";
}

The other solution is to use continue followed with how many levels back to continue from.

foreach($c as $v)
{
    foreach($v as $j)
    {
        if($j = 1)
        {
            continue 2;
        }
    }
    // This code will not be reached.
}

This will continue to levels above (so the outer foreach)

 continue 2