str.format
PHP 中是否有 Python 的等价物?
在 Python 中:
"my {} {} cat".format("red", "fat")
我看到我可以在 PHP 中做的所有事情就是命名条目并使用str_replace
:
str_replace(array('{attr1}', '{attr2}'), array('red', 'fat'), 'my {attr1} {attr2} cat')
还有其他 PHP 的原生替代品吗?
str.format
PHP 中是否有 Python 的等价物?
在 Python 中:
"my {} {} cat".format("red", "fat")
我看到我可以在 PHP 中做的所有事情就是命名条目并使用str_replace
:
str_replace(array('{attr1}', '{attr2}'), array('red', 'fat'), 'my {attr1} {attr2} cat')
还有其他 PHP 的原生替代品吗?
sprintf
是最接近的东西。这是旧式 Python 字符串格式:
sprintf("my %s %s cat", "red", "fat")
由于 PHP 在 Python 中并没有真正的替代品str.format
,我决定实现我自己的非常简单的,它作为 Python 的大多数基本功能。
function format($msg, $vars)
{
$vars = (array)$vars;
$msg = preg_replace_callback('#\{\}#', function($r){
static $i = 0;
return '{'.($i++).'}';
}, $msg);
return str_replace(
array_map(function($k) {
return '{'.$k.'}';
}, array_keys($vars)),
array_values($vars),
$msg
);
}
# Samples:
# Hello foo and bar
echo format('Hello {} and {}.', array('foo', 'bar'));
# Hello Mom
echo format('Hello {}', 'Mom');
# Hello foo, bar and foo
echo format('Hello {}, {1} and {0}', array('foo', 'bar'));
# I'm not a fool nor a bar
echo format('I\'m not a {foo} nor a {}', array('foo' => 'fool', 'bar'));
{}
匹配的将转换为{0}
等),您可以省略名称/编号,我知道这是一个老问题,但我相信带有替换对的 strtr值得一提:
(PHP 4、PHP 5、PHP 7)
strtr — 翻译字符或替换子字符串
描述:
strtr ( string $str , string $from , string $to ) : string strtr ( string $str , array $replace_pairs ) : string
<?php
var_dump(
strtr(
"test {test1} {test1} test1 {test2}",
[
"{test1}" => "two",
"{test2}" => "four",
"test1" => "three",
"test" => "one"
]
));
?>
此代码将输出:
string(22) "one two two three four"
即使您更改数组项的顺序,也会生成相同的输出:
<?php
var_dump(
strtr(
"test {test1} {test1} test1 {test2}",
[
"test" => "one",
"test1" => "three",
"{test1}" => "two",
"{test2}" => "four"
]
));
?>
string(22) "one two two three four"