如何创建一个具有给定数组参数的类以发送给构造函数?有点像:
class a {
var $args = false;
function a() {$this->args = func_get_args();}
}
$a = call_user_func_array('new a',array(1,2,3));
print_r($a->args);
理想情况下,PHP4和PHP5都需要在不修改类的情况下工作。有什么想法吗?
答案 0 :(得分:24)
ReflectionClass:newInstance()(或newInstanceArgs())让你这样做。
e.g。
class Foo {
public function __construct() {
$p = func_get_args();
echo 'Foo::__construct(', join(',', $p), ') invoked';
}
}
$rc = new ReflectionClass('Foo');
$foo = $rc->newInstanceArgs( array(1,2,3,4,5) );
编辑:没有ReflectionClass,可能与php4兼容(抱歉,现在没有php4)
class Foo {
public function __construct() {
$p = func_get_args();
echo 'Foo::__construct(', join(',', $p), ') invoked';
}
}
$class = 'Foo';
$rc = new $class(1,2,3,4);
速度比较: 由于这里提到的反射速度是一个小的(合成)测试
define('ITERATIONS', 100000);
class Foo {
protected $something;
public function __construct() {
$p = func_get_args();
$this->something = 'Foo::__construct('.join(',', $p).')';
}
}
$rcStatic=new ReflectionClass('Foo');
$fns = array(
'direct new'=>function() { $obj = new Foo(1,2,3,4); },
'indirect new'=>function() { $class='Foo'; $obj = new $class(1,2,3,4); },
'reflection'=>function() { $rc=new ReflectionClass('Foo'); $obj = $rc->newInstanceArgs( array(1,2,3,4) ); },
'reflection cached'=>function() use ($rcStatic) { $obj = $rcStatic->newInstanceArgs( array(1,2,3,4) ); },
);
sleep(1);
foreach($fns as $name=>$f) {
$start = microtime(true);
for($i=0; $i<ITERATIONS; $i++) {
$f();
}
$end = microtime(true);
echo $name, ': ', $end-$start, "\n";
sleep(1);
}
在我的(不那么快)笔记本上打印
direct new: 0.71329689025879
indirect new: 0.75944685935974
reflection: 1.3510940074921
reflection cached: 1.0181720256805
不是那么糟糕,是吗?
答案 1 :(得分:10)
查看Factory Method pattern并查看this example
来自维基百科:
工厂方法模式是 面向对象的设计模式。喜欢 其他创作模式,它处理 与创建对象的问题 (产品)未指定 确切的对象类 创建
如果你不想为此使用专用工厂,你仍然可以wrap Volker's code进入一个功能,例如
/**
* Creates a new object instance
*
* This method creates a new object instance from from the passed $className
* and $arguments. The second param $arguments is optional.
*
* @param String $className class to instantiate
* @param Array $arguments arguments required by $className's constructor
* @return Mixed instance of $className
*/
function createInstance($className, array $arguments = array())
{
if(class_exists($className)) {
return call_user_func_array(array(
new ReflectionClass($className), 'newInstance'),
$arguments);
}
return false;
}