Michael.Lumley
Michael.Lumley

Reputation: 2385

Combining foreach and while in PHP

This seems like it should be a simple question, but I can't find a good answer. Is there a way of putting a condition on a foreach loop? I'd like something like this:

foreach ($array as $value WHILE $condition == true)
{ //do some code }

Of course I could just put an if condition inside of the foreach loop as follows:

foreach ($array as $value)
{
    if($condition == true)
    {//do some code}
}

The only thing is that I'd like to stop iterating over the array once the if condition becomes false, for the purpose of improving performance. No need to run through the remainder of the foreach loop to determine that $condition is false once it becomes false.

Any suggestions? Am I misisng something obvious?

Upvotes: 10

Views: 34616

Answers (6)

Whizou
Whizou

Reputation: 1

An alternative whitout using foreach but only while. Like this, the loop will end when the condition return false.

$i = 0;
while (condition(array[$i]) === true) {
    $continue = true;
    echo array[i];
    $i++;
}

Upvotes: 0

user2784859
user2784859

Reputation:

foreach ($array as $value) {
   if($condition) {
     //do some code
   }
   else {
     break; 
   }
}

Upvotes: 4

Jay Sheth
Jay Sheth

Reputation: 1808

You could also try a regular for loop, which has a condition built-in. The only thing is that you'll have to access the element of the array using its index.

<?php
//Basic example of for loop
$fruits = array('apples', 'figs', 'bananas');
for( $i = 0; $i < count($fruits); $i++ ){
    $fruit = $fruits[$i];
    echo $fruit . "\n";
}

This is a slightly more complicated example, that stops executing as soon as it finds a fig.

<?php
//Added condition to for loop
$fruits = array('apple', 'fig', 'banana');
$continue = true;
for( $i = 0; $i < count($fruits) && $continue == true; $i++ ){
    $fruit = $fruits[$i];

    if( $fruit == 'fig' ){
        $continue = false;
    }

    echo $fruit . "\n";
}

I hope that helps.

Upvotes: 2

Federico
Federico

Reputation: 479

maybe you can use the break; sentence

foreach ($array as $value) { if($condition == true) {//do some code} else { break; } }

Upvotes: 1

legrandviking
legrandviking

Reputation: 2414

You can easily use the break keyword to exit a foreach loop at the exact moment you wish. this is the simplest way of doing this i can think of at the moment.

foreach ($array as $value)
{
    if($condition == true)
    {
         //do some code
         break; 
    }
}

Upvotes: 2

nice ass
nice ass

Reputation: 16709

No, but you can break the loop when your condition is met:

foreach ($array as $value){
  if($condition != true)
    break;
}

Upvotes: 24

Related Questions