使用PHP的魔术函数 __ callStatic 和正常定义静态函数之间是否有任何性能差异。
示例:
class Welcome{
public static function __callStatic($method, $parameters){
switch ($method) {
case 'functionName1':
// codes for functionName1 goes here
break;
case 'functionName2':
// codes for functionName2 goes here
break;
}
}
}
VS
class Welcome{
public static function functionName1{
//codes for functionName1 goes here
}
public static function functionName1{
//codes for functionName1 goes here
}
}
答案 0 :(得分:3)
如果你只是谈论速度,这很容易测试:
class Testing
{
private static $x = 0;
public static function f1()
{
self::$x++;
}
public static function f2()
{
self::$x++;
}
public static function __callStatic($method, $params)
{
switch ($method) {
case 'f3':
self::$x++;
break;
case 'f4':
self::$x++;
break;
}
}
}
$start = microtime(true);
for ($i = 0; $i < 1000000; $i++) {
Testing::f1();
Testing::f2();
}
$totalForStaticMethods = microtime(true) - $start;
$start = microtime(true);
for ($i = 0; $i < 1000000; $i++) {
Testing::f3();
Testing::f4();
}
$totalForCallStatic = microtime(true) - $start;
printf(
"static method: %.3f\n__callStatic: %.3f\n",
$totalForStaticMethods,
$totalForCallStatic
);
我得到static method: 0.187
和__callStatic: 0.812
,因此定义实际方法的速度提高了4倍以上。
我还要说使用__callStatic
是不好的风格,除非你有充分的理由。这使得跟踪代码变得更加困难,并且IDE更难以提供自动完成功能。也就是说,有很多案例值得它。