字符串中的零填充数字


125

我需要将单个数字(1到9)转换为(01到09)。我可以想到一种方法,但是它又大又丑又麻烦。我敢肯定必须有一些简洁的方法。有什么建议

Answers:


214

首先,您的描述具有误导性。Double是浮点数据类型。您大概想在字符串中用前导零填充数字。下面的代码可以做到这一点:

$s = sprintf('%02d', $digit);

有关更多信息,请参阅的文档sprintf


@KonradRudolph如果我在digit给定错误的时间内将值作为整数传递,如果在那个时间传递给字符串则没有问题
Hiren Bhut

@HirenBhut不,我100%确信它有效。该文件说。我什至只为您测试了它:gist.github.com/klmr/e1319f6d921a382e86296cce06eb7dbd
Konrad Rudolph

@KonradRudolph请检查该代码gist.github.com/klmr/...
西仁Bhut

3
@HirenBhut嗯,这是完全不同的,并且与无关sprintf。检查整数格式,尤其是有关八进制数字的部分。
康拉德·鲁道夫'18

@KonradRudolph是的,有什么可能的解决办法?
Hiren Bhut

89

还有str_pad

<?php
$input = "Alien";
echo str_pad($input, 10);                      // produces "Alien     "
echo str_pad($input, 10, "-=", STR_PAD_LEFT);  // produces "-=-=-Alien"
echo str_pad($input, 10, "_", STR_PAD_BOTH);   // produces "__Alien___"
echo str_pad($input, 6 , "___");               // produces "Alien_"
?>

67

使用str_pad的解决方案:

str_pad($digit,2,'0',STR_PAD_LEFT);

PHP 5.3上的基准

结果str_pad:0.286863088608

结果sprintf:0.234171152115

码:

$start = microtime(true);
for ($i=0;$i<100000;$i++) {
    str_pad(9,2,'0',STR_PAD_LEFT);
    str_pad(15,2,'0',STR_PAD_LEFT);
    str_pad(100,2,'0',STR_PAD_LEFT);
}
$end = microtime(true);
echo "Result str_pad : ",($end-$start),"\n";

$start = microtime(true);
for ($i=0;$i<100000;$i++) {
    sprintf("%02d", 9);
    sprintf("%02d", 15);
    sprintf("%02d", 100);
}
$end = microtime(true);
echo "Result sprintf : ",($end-$start),"\n";

0

性能的str_pad高低主要取决于填充的长度。为了获得更一致的速度,可以使用str_repeat

$padded_string = str_repeat("0", $length-strlen($number)) . $number;

也可以使用数字的字符串值以获得更好的性能。

$number = strval(123);

在PHP 7.4上测试

str_repeat: 0.086055040359497   (number: 123, padding: 1)
str_repeat: 0.085798978805542   (number: 123, padding: 3)
str_repeat: 0.085641145706177   (number: 123, padding: 10)
str_repeat: 0.091305017471313   (number: 123, padding: 100)

str_pad:    0.086184978485107   (number: 123, padding: 1)
str_pad:    0.096981048583984   (number: 123, padding: 3)
str_pad:    0.14874792098999    (number: 123, padding: 10)
str_pad:    0.85979700088501    (number: 123, padding: 100)
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.