Storing a PHP loop as a string in a variable

I have a problem storing a PHP loop in a variable.

The loop looks like this:

for( $i = 1; $i <= 10; $i++ ) {

    echo $i . ' - ';

}

for this, it is OK for echoor print, as it will produce:

1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 - 9 - 10 -

now I want to save the whole loop in a type variable $my_var, which means:

echo $my_var;

which will produce:

1 - 2 - 3 - 4 - 5 - 6 - 7 - 8 - 9 - 10 -

the whole idea is that I want to make a loop, save it as a string in a variable $my_var, than use it later in my script.

+3
source share
2 answers

Just add a new line to the old one.

$str = '';

for( $i = 1; $i <= 10; $i++ ) {
    $str .= $i . ' - ';    
}

echo $str;

Alternatively you can do ...

$str = implode(range(1, 10), ' - ') . ' - ';

... or even...

$str = implode(array_merge(range(1, 10), array(' ')), ' - ');
+14
source
$my_var = '';
for( $i = 1; $i <= 10; $i++ ) {

    $my_var .= $i' - ';

}
echo $my_var;

,

0

Source: https://habr.com/ru/post/1768543/