loops in php

WHAT IS A LOOP

loop is used to repeat the specific block of code again and again ,until the given condition is true.

types of loops:

for loop:

syntax:

for(initialization;condition;increment/decrement)

{

#block of code

}


note:

        increment :add a value by one. 

        decrement: subtract a value by one.


example: print a sequence of numbers from 1 to 5 .

for($a=1;$a<=5;$a++)

{

echo$a,"<br>";

}

output:

1

2

3

4

5


example:

print the 7 div elements (div) using for loop (remember:div will be written only one time 

in a box).


<html>

<head>

<style>

</style>

</head>

<body>

<div class="main">

                            <?php

                            for($a=1;$a<=7;$a++)

                            {

                             ?>

                                   <div>

                                                    <p>this para in for loop</p>

                                                     <img src="a.jpg">

                                    </div>

                            <?php

                            }

                             ?>                                

</div>

</body>

</html>



while loop:


The while loop runs the specific block of  code until the spcified condition is true .

syntax:

while(condition)

{

#block of code

#increment or decrement

}


example:

$a=1;

while($a<2)

{

            echo$a;

            $a++;

}



do-while loop:

The do-while loop is used to run a set of code of the program several times . If you have to execute the loop at least once ,then you can use do-while loop .

syntax:

do

{

#block of code

}while(condition);


example:

Q1. write a program to execute a loop atleast once, even the condition is false.


$i=1;

do

{

echo $i,"<br>";

$i++;

while($i<2);


foreach loop:

The foreach loop is generally used for the arrays and is used to loop through each key/value pair in an array. 

Syntax:

foreach ($arr as $value) 
    #code to be executed; 
}


example: print a single dimensional array using foreach loop.

<?php

$names = array("max", "ajax", "sam", "om");

foreach ($names as $val) 
{
    echo $val ,"<br>";
}



?>

example: print an associative array using foreach loop.

<?php

$emp = array("id"=>101, "name"=>"sam", "designation"=>"lab assistant");

foreach($emp as $key => $val) {
echo $key," = ",$val,"<br>";
}

example: print a two-dimensional array using foreach loop.

<?php

$emp = array(
                        [4,3,7,3,6],
                        ["sam","max","alax","om"]
                     );

foreach($emp as $row) 
{
                                        
        foreach($row as $col)
         {
            echo $col," ";
         }             
echo"<br>";
}



?>

0 Comments