PHP Loops are used for executing the same block again and again until the certain condition is met.
The main idea behind the loops is automating the repetitive task within a program to save the effort of the programmer as well as time. PHP supports many types of loops, some are listed below,
- While: This loop works until the condition is true.
- do…while: This loop executed the block of code then check the condition, if the condition is true then repeated the execution.
- for: loops through a block until the specified condition reaches.
- foreach: Loop through the block of code snippet and give each element of an array.
Complete Explanations of PHP Loops
You will also see the example of the foreach() loop at this article, and also learn how it works with our projects.
PHP While Loop
In while loop, first, check the condition. If the given condition is true, the block of code is executed until it evaluates false. If false then the loop will be terminated.
While loop Structure
1 2 3 4 5 |
<?php while (condition){ //block of code to be executed; } ?> |
Example:
1 2 3 4 5 6 7 8 |
<?php $i = 0; while ($i < 3){ echo $i + 1 . "<br>"; $i++; } ?> |
Output
1
2
3
PHP For Loop
For Loop Structure
1 2 3 4 5 |
<?php for (variable_initialize; condition; variable_increment){ //code to be executed } ?> |
Summary
Here,
- for…{} is the loop block
- In variable initialization, you can initialize a variable like $i=0.
- on the condition, is evaluated the condition for each PHP execution, if it getting true then the loop is terminated.
- variable_increment, is used for variable initial value counter.
Example
1 2 3 4 5 |
<?php for($i=1; $i<=4; $i++){ echo $i . "<br>"; } ?> |
Output
1
2
3
4
PHP foreach Loop
Structure
1 2 3 |
foreach ($variable as $key => $value) { # code... } |
In foreach() loop, $variable is an array element. Loop through the block of code snippet and give each element of an array.
Example:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 |
<?php $UserDetails = array( "name" => "PHPCODER", "email" => "phpcodertech@mail.com", "age" => 25, "gender" => "male" ); // Loop through UserDetails array foreach($UserDetails as $key => $value) { echo $key . ": " . $value . "<br>"; } ?> |
Output:
name: PHPCODER
email: phpcodertech@mail.com
age: 25
gender: male
Also Check:
PHP Loops official website where you learn more about loops in PHP,
https://www.php.net/manual/en/control-structures.for.php
Happy Coding..!