我正在寻找将参数传递给动态常量Name的解决方案。
<?php
class L {
const profile_tag_1 = 'Bla bla Age from %s to %s';
const profile_tag_2 = 'Wow Wow Age from %s to %s';
public static function __callStatic($string, $args) {
return vsprintf(constant("self::" . $string), $args);
}
}
我的代码
$x = 1;
echo constant("L::profile_tag_".$x); // arguments: 20, 30
我想要
Bla bla Age from 20 to 30
我怎样才能将我的两个论点传递给它?
答案 0 :(得分:6)
您可以使用func_get_args()
和array_shift()
来隔离常量字符串名称
[Codepad live]
<?php
class L {
const profile_tag_1 = 'Bla bla Age from %s to %s';
const profile_tag_2 = 'Wow Wow Age from %s to %s';
public static function __callStatic() {
$args = func_get_args();
$string = array_shift($args);
return vsprintf(constant('self::' . $string), $args);
}
}
L::__callStatic('profile_tag_1',12,12);
但是,请注意,在对静态方法进行通用调用时使用此函数时,您需要更改__callStatic
签名以允许$name
和$arguments
,如下所示:
class L {
const profile_tag_1 = 'Bla bla Age from %s to %s';
const profile_tag_2 = 'Wow Wow Age from %s to %s';
public static function __callStatic($name, $args) {
$string = array_shift($args);
return vsprintf(constant('self::' . $string), $args);
}
}
L::format('profile_tag_1',12,12);
虽然有一种更好的方法来执行你需要的东西(在评论中阅读Yoshi),考虑到你正在使用静态的东西:
echo sprintf(L::profile_tag_1,12,14);
此时你甚至不需要Class
。
答案 1 :(得分:4)
试试这个:
echo L::__callStatic("profile_tag_".$x, array(20, 30));