0未从数值前面剥离

I am working on a project for a friend's website which is suppose to generate completely random phone numbers to be displayed on a "fake" review board. I figured the best way to do with would be for me to to generate out each section separably. So 3-3-4, but no matter what I do, every time there is a 0 in front the code cuts it off. Here's an example of what I mean:

http://www.shiningashes.net/Test.php

yet this is what I have for the code:

<?php
for ($i = 0000; $i <= 9999; $i++) {
echo $i;
echo "<br>";
}
?>

How do I get the 0's to stop being cropped out so the 0's display? 0001, 0021, 0123, etc?

You can use str_pad

for ($i = 0; $i <= 9999; $i++) {
   echo str_pad($i, 4, '0', STR_PAD_LEFT);
   echo "<br>";
}

You need to make your variable a string if you want to keep the zeros. That would mean using quotes, and never using numeric operators on it. But since you depend on using ++ on it, I suggest the following hack:

<?php
for ($i = 10000; $i <= 19999; $i++) {
    $str=substr ( $i , 0 , 4 );
    echo $i;
    echo $str;
    echo "<br>";
}
?>

You can use printf to format your output:

<?php
for ($i = 0; $i <= 9999; $i++) {
  printf("%04d<br>
",$i);
}
?>

You will need to convert your integer to a string when printing it.

<?php
for ($i = 0; $i <= 9999; $i++) {
    printf("%04d<br />", $i);
 }
 ?>

Check the documentation for printf/sprintf for more information. Kind regards, Stefan