PHP语法糖:如何多次在给定输入上应用功能?

时间:2018-08-23 16:43:01

标签: php function syntax syntactic-sugar

我从数据库中收到一条文本,其中四次应用了功能htmlentities()。示例文字:

  

特价& amp; amp;研讨会

为了解码此文本,我必须执行以下操作:

$out = html_entity_decode(html_entity_decode(html_entity_decode(html_entity_decode("specials & workshops"))));

结果:

  

特色与研讨会

PHP是否有一种自然的方式来编写这种更有效的代码?

3 个答案:

答案 0 :(得分:2)

我喜欢以不需要知道要匹配多少个实体的方式进行递归操作。

$string = 'specials & workshops';
$entity = '/&/';

function recurseHTMLDecode($str, $entity) {
    preg_match($entity, $str, $matches);
    echo count($matches);
    if(1 == count($matches)) {
        $str =  html_entity_decode($str); 
        $str = recurseHTMLDecode($str, $entity);
        return $str;
    } else {
        return $str;
    }

}

var_dump(recurseHTMLDecode($string, $entity));

这将返回:

  

11110string(20)“特别活动与研讨会”

这里是EXAMPLE

可以通过在函数中添加实体白名单来改进此方法,这样您就不必在调用时指定实体,只需遍历白名单即可。这将解决在一个字符串中包含多个实体的问题。可能很复杂。

答案 1 :(得分:1)

为什么不声明要这样做的函数?

$in = "specials & workshops";

$decode = function($in) {
    foreach(range(1,4) as $x) $in = html_entity_decode($in); return $in; };

function decode($in) {
    foreach(range(1,4) as $x)
        $in = html_entity_decode($in);
    return $in;
}

// inline
$out = $decode($in);

// traditional
$out = decode($in);

答案 2 :(得分:1)

根据@JayBlanchard的递归思想,我没有创建以下内容-真的很喜欢:

/**
 * Apply a function to a certain input multiple times.
 *
 * @param $input: The input variable:
 * @param callable $func: The function to call.
 * @param int $times: How often the function should be called. -1 for deep call (unknown number of calls required). CAUTION: If output always changes this results in an endless loop.
 * @return mixed
 */
function recapply($input,callable $func,int $times) {
    if($times > 1) {
        return recapply($func($input),$func,$times - 1);
    } else if($times == -1) {
        $res = $func($input);
        if($res === $input) {
            return $input;
        } else {
            return recapply($res,$func,-1);
        }
    }
    return $func($input);
}

工作示例呼叫:

echo recapply("specials & workshops","html_entity_decode",4);