是否有一种快速的、动态的方法来测试单个字符串,然后在前面加上一个零?
例子:
$year = 11; $month = 4; $stamp = $year.add_single_zero_if_needed($month); // Imaginary function echo $stamp; // 1104
你可以使用str_pad来添加0
str_pad
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 ]] )
你可以使用sprintf: http://php.net/manual/en/function.sprintf.php
<?php $num = 4; $num_padded = sprintf("%02d", $num); echo $num_padded; // returns 04 ?>
它只会在小于所需字符数的情况下添加0。
编辑:正如@FelipeAls所指出的:
在处理数字时,应该使用%d(而不是%s),特别是在可能出现负数的情况下。如果你只使用正数,任何一种选择都可以。
%d
%s
例如:
sprintf("%04s", 10);返回0010 sprintf("%04s", -10);返回0-10
sprintf("%04s", 10);
sprintf("%04s", -10);
的地方:
sprintf("%04d", 10);返回0010 sprintf("%04d", -10);返回-010
sprintf("%04d", 10);
sprintf("%04d", -10);
字符串格式化的通用工具sprintf:
sprintf
$stamp = sprintf('%s%02s', $year, $month);
http://php.net/manual/en/function.sprintf.php