我正在研究printf,sprintf,但我没有理解一些要点,如果有人可以帮助我理解这些要点,
在PHP 手册的这个链接上:
有从一到六的解释:
我不明白的是:第一个和第二个(1(符号说明符),2(填充说明符)),如果有人可以帮我举个例子,我将非常感激。
sprintf() 返回一个字符串, printf() 显示它。
以下两个是相等的:
printf(currentDateTime());
print sprintf(currentDateTime());
符号说明符强制一个符号,即使它是正数。所以,如果你有
$x = 10;
$y = -10;
printf("%+d", $x);
printf("%+d", $y);
你会得到:
+10
-10
填充说明符添加左填充,以便输出始终采用一定数量的空格,这允许您对齐一堆数字,在生成带有总计的报告等时很有用。
$x = 1;
$y = 10;
$z = 100;
printf("%3d\n", $x);
printf("%3d\n", $y);
printf("%3d\n", $z);
你会得到:
1
10
100
如果您在填充说明符前面加上零,则字符串将被零填充而不是空格填充:
$x = 1;
$y = 10;
$z = 100;
printf("%03d\n", $x);
printf("%03d\n", $y);
printf("%03d\n", $z);
给出:
001
010
100
符号说明符:放置加号 ( + ) 会强制显示负号和正号(默认情况下仅指定负值)。
$n = 1;
$format = 'With sign %+d without %d';
printf($format, $n, $n);
印刷:
带符号 +1 不带 1
填充说明符表示将使用什么字符将结果填充到指定长度。该字符是通过在其前面加上一个单引号 (') 来指定的。例如用字符'a'填充到长度3:
$n = 1;
$format = "Padded with 'a' %'a3d"; printf($format, $n, $n);
printf($format, $n, $n);
印刷:
用 'a' aa1 填充
1.符号说明符:
默认情况下,浏览器只-
在负数前面显示符号。+
正数前面的符号被省略。但是可以+
通过使用符号说明符来指示浏览器在正数前面显示符号。例如:
$num1=10;
$num2=-10;
$output=sprintf("%d",$num1);
echo "$output<br>";
$output=sprintf("%d",$num2);
echo "$output";
输出:
10
-10
这里+
省略了正数之前的符号。但是,如果我们在字符后面加上+
符号,则不再发生省略。%
%d
$num1=10;
$num2=-10;
$output=sprintf("%+d",$num1);
echo "$output<br>";
$output=sprintf("%+d",$num2);
echo "$output";
输出:
+10
-10
2.填充说明符:
填充说明符在输出的左侧或右侧添加一定数量的字符。这些字符可以是空格、零或任何其他 ASCII 字符。
例如,
$str="hello";
$output=sprintf("[%10s]",$str);
echo $output;
源代码输出:
[ hello] //Total length of 10 positions,first five being empty spaces and remaining five being "hello"
HTML 输出:
[ hello] //HTML displays only one empty space and collapses the rest, you have to use the <pre>...</pre> tag in the code for HTML to preserve the empty spaces.
将负号向左表示输出:
$output=["%-10s",$string];
echo $output;
源代码输出:
[hello ]
HTML 输出:
[hello ]
把符号放在0
后面%
用零替换空格。
$str="hello";
$output=sprintf("[%010s]",$str);
echo $output;
输出:
[00000hello]
左对齐
$output=sprintf("[%-010s]",$str);
输出:
[hello00000]
后跟'
任何 ASCII 字符(如*
after %
)会导致显示该 ASCII 字符而不是空格
$str="hello";
$output=sprintf("[%'*10s]",$str);
echo $output;
输出:
*****hello
左对齐:
$output=sprintf("[%-'*10s]",$str);
echo $output;
输出:
hello*****