我遇到了一个逻辑问题。
我得到了一个需要克隆的对象。
对象是|具有计算结果。
该对象具有运行时。
在某些情况下,克隆对象而不是再次计算结果会更快
(f.e。相同参数^ =相同结果)。
但运行时必须不复制。
运行时将是确定我可以使用相同结果(对象)的时间。
示例:
class Object
{
protected $runtime;
public function getRuntime()
{
return $this->runtime;
}
public function doSome(/*...*/)
{
$start = microtime(true);
// ... the heavy work ...
// ...
$this->runtime = microtime(true) - $start;
}
}
$objects = [];
while (/*...*/) {
if (count($objects) > 0) {
$start = microtime(true);
if (/*check if would get the same result as the previous one*/) {
$object = clone end($objects);
// MUST change the runtime here on the clone
// but i should not make :runtime public
$object->runtime = microtime(true) - $start; // :(
$objects[] = $object;
continue;
}
}
$object = new Object();
$object->doSome(/*...*/);
$objects[] = $object;
}
我怎样才能克隆上一个对象并在克隆上设置实际的运行时而不能使运行时属性公开?
答案 0 :(得分:2)
我建议将此逻辑放在分开的方法Object::clone()
中,如下所示:
class Object
{
protected $runtime;
public function getRuntime()
{
return $this->runtime;
}
public function doSome(/*...*/)
{
$start = microtime(true);
// ... the heavy work ...
// ...
$this->runtime = microtime(true) - $start;
}
public static function clone($clonable, $runtime)
{
$clone = clone $clonable;
$clone->runtime = $runtime; // we can access it since we are in Object scope
return $clone;
}
}
$objects = [];
while (/*...*/) {
if (count($objects) > 0) {
$start = microtime(true);
if (/*check if would get the same result as the previous one*/) {
$object = Object::clone(end($objects), microtime(true) - $start);
$objects[] = $object;
continue;
}
}
$object = new Object();
$object->doSome(/*...*/);
$objects[] = $object;
}
另一个选择就是为runtime
属性
答案 1 :(得分:0)
使用魔法:
克隆完成后,如果定义了__clone()方法,则将调用新创建的对象的__clone()方法,以允许任何需要更改的必要属性。
http://php.net/manual/en/language.oop5.cloning.php#object.clone
class Object
{
protected $runtime;
public function __clone() {
//set $this->runtime
}
}