PHP在单个数字之前预先引导零
有没有一个快速,即时的方法来testing一个单一的string,然后前置一个前导零?
例:
$year = 11; $month = 4; $stamp = $year.add_single_zero_if_needed($month); // Imaginary function echo $stamp; // 1104
你可以使用sprintf: http : //php.net/manual/en/function.sprintf.php
<?php $num = 4; $num_padded = sprintf("%02d", $num); echo $num_padded; // returns 04 ?>
它只会添加零,如果它小于所需的字符数。
编辑:正如@FelipeAls指出的那样:
处理数字时,应该使用%d
(而不是%s
),特别是当存在负数的可能性时。 如果你只使用正数,两个选项都可以正常工作。
例如:
sprintf("%04s", 10);
返回0010
sprintf("%04s", -10);
返回0-10
在哪里:
sprintf("%04d", 10);
返回0010
sprintf("%04d", -10);
返回-010
你可以使用str_pad
来添加0
str_pad($month, 2, '0', STR_PAD_LEFT);
string str_pad ( string $input , int $pad_length [, string $pad_string = " " [, int $pad_type = STR_PAD_RIGHT ]] )
string格式化的通用工具sprintf
:
$stamp = sprintf('%s%02s', $year, $month);
看起来他们需要很多线路才能使其工作。 我使用这个短的IFfunction,它给出了OP想要的结果。
$month = 8; echo ($month < 10 ? '0'.$month : $month); // output: 08
只需要1行显示正确的输出