4

我有以下功能:

function percentToColor($percent){
    $minBrightness = 160;
    $maxBrightness = 255;

    // Remainins?
    $brightness = ((($minBrightness-$maxBrightness)/(100-0))*$percent+$maxBrightness);
    $first = (1-($percent/100))*$brightness;
    $second = ($percent/100)*$brightness;

    // Find the influence of the middle color (yellow if 1st and 2nd are red and green)
    $diff = abs($first-$second);
    $influence = ($brightness-$diff)/2;
    $first = intval($first + $influence);
    $second = intval($second + $influence);

    // Convert to HEX, format and return
    $firstHex = str_pad(dechex($first),2,0,STR_PAD_LEFT);
    $secondHex = str_pad(dechex($second),2,0,STR_PAD_LEFT);

    return $firstHex . $secondHex . '00';
}

此函数接受范围从 0 到 100 的整数并返回该数字的颜色信息。想象一个进度条,红色为 0,绿色为 100。这就是函数的作用。

所以我明白了:如果这个函数总是为每个输入返回相同的颜色(即颜色不依赖于时间/用户/会话),更好的主意是创建一个带有结果的 PHP 数组,对吗?

所以我重写了函数:

function percentToColorNew($percent){
   $results = array(
      0 => 'ff0000',
      1 => 'fe0500',
      2 => 'fd0a00',
      3 => 'fc0f00',
      // ... continues with 4, 5, up until 100 ...
      99 => '03a000',
      100 => '00a000'
   );
   return $results[$percent];
}

我测试它。而意想不到的事情发生了!新函数只返回结果数组中的结果,它所花费的时间是原始函数的两倍,每次调用它时都必须计算结果。

为什么是这样?PHP 数组这么慢吗?是否有更快的方法来存储函数结果以加速函数?一个开关,也许?if/elseif/else 条件?使用数组的不同方式?

4

1 回答 1

8

它很慢,因为每次调用函数时都在初始化数组。

在函数之外设置数组,它应该更快。快速而肮脏的例子:

$results = array(
    0 => 'ff0000',
    1 => 'fe0500',
    2 => 'fd0a00',
    3 => 'fc0f00',
    // ... continues with 4, 5, up until 100 ...
    99 => '03a000',
    100 => '00a000'
);

function percentToColorNew($percent){
    global $results;
    return $results[$percent];
}

编辑:或者更好地使用static关键字:

function percentToColorNew($percent){
    static $results;
    if(!is_array($results)) {
        $results = array ( ... );
    }
    return $results[$percent];
}
于 2013-08-24T09:02:37.787 回答