更快地做。
低电平通话需要非常快,因此我认为值得进行一些研究。我尝试了几种方法(具有不同的字符串长度,扩展长度,每个运行多次),这是一些合理的方法:
function method1($s) {return preg_replace("/.*\./","",$s);} // edge case problem
function method2($s) {preg_match("/\.([^\.]+)$/",$s,$a);return $a[1];}
function method3($s) {$n = strrpos($s,"."); if($n===false) return "";return substr($s,$n+1);}
function method4($s) {$a = explode(".",$s);$n = count($a); if($n==1) return "";return $a[$n-1];}
function method5($s) {return pathinfo($s, PATHINFO_EXTENSION);}
结果
并不十分令人惊讶。可怜的pathinfo
是(迄今为止!)最慢的(看起来他试图分析整个事情,然后删除所有不必要的部分) -和method3()
(strrpos)是最快的,目前为止:
Original filename was: something.that.contains.dots.txt
Running 50 passes with 10000 iterations each
Minimum of measured times per pass:
Method 1: 312.6 mike (response: txt) // preg_replace
Method 2: 472.9 mike (response: txt) // preg_match
Method 3: 167.8 mike (response: txt) // strrpos
Method 4: 340.3 mike (response: txt) // explode
Method 5: 2311.1 mike (response: txt) // pathinfo <--------- poor fella
注意:第一种方法有一个副作用:没有扩展名时,它将返回全名。为避免这种行为,毫无疑问用额外的支架对其进行测量是没有道理的。
结论
这看起来像武士的方式:
function fileExtension($s) {
$n = strrpos($s,".");
return ($n===false) ? "" : substr($s,$n+1);
}