PHP - Break Statement
The break statement in PHP is used to terminate the program out of the loop containing it whenever the condition is met.
If the break statement is used in a nested loop (loop inside loop), it will terminate innermost loop after fulfilling the break criteria.
Break statement with While loop
In the below example, break statement is used to get out of the while loop if the value of variable j becomes 4.
<?php $j = 0; while ($j < 10){ $j++; if($j == 4){ echo "Getting out of the loop.\n"; break; } echo $j."\n"; } ?>
The output of the above code will be:
1 2 3 Getting out of the loop.
Break statement with For loop
Here, the break statement is used to get out of the for loop if the value of variable i becomes 4.
<?php for ($i = 1; $i <= 6; $i++){ if($i == 4 ){ echo "Getting out of the loop.\n"; break; } echo $i."\n"; } ?>
The output of the above code will be:
1 2 3 Getting out of the loop.
Break statement with Nested loop
The Break statement terminates the inner loop whenever condition is fulfilled. In below mentioned example, program terminates the inner loop only when j = 100 (resulting the program to skip the inner loop for j = 100 and 1000).
//Nested loop without break statement <?php for ($i = 1; $i <= 3; $i++){ for ($j = 10; $j <= 1000; $j = $j * 10){ echo $i*$j."\n"; } } ?>
//Nested loop with break statement <?php for ($i = 1; $i <= 3; $i++){ for ($j = 10; $j <= 1000; $j = $j * 10){ if($j == 100 ){ break; } echo $i*$j."\n"; } } ?>
The output of the above code will be:
# output of nested loop without break statement 10 100 1000 20 200 2000 30 300 3000 # output of nested loop with break statement 10 20 30