这将引发错误:
class foo
{
var $bar;
public function getBar()
{
return $this->Bar; // beware of capital 'B': "Fatal: unknown property".
}
}
但这不会:
class foo
{
var $bar;
public function setBar($val)
{
$this->Bar = $val; // beware of capital 'B': silently defines a new prop "Bar"
}
}
如何强制PHP在两种情况下抛出错误?我认为第二种情况比第一种情况更为重要(因为我花了2个小时来搜索属性中的一个错误的错字)。
答案 0 :(得分:14)
您可以使用魔术方法
__ set()在将数据写入不可访问的属性时运行。
__ get()用于从不可访问的属性中读取数据。
class foo
{
var $bar;
public function setBar($val)
{
$this->Bar = $val; // beware of capital 'B': silently defines a new prop "Bar"
}
public function __set($var, $val)
{
trigger_error("Property $var doesn't exists and cannot be set.", E_USER_ERROR);
}
public function __get($var)
{
trigger_error("Property $var doesn't exists and cannot be get.", E_USER_ERROR);
}
}
$obj = new foo();
$obj->setBar('a');
会抛出错误
致命错误:属性栏不存在且无法设置。第13行
您可以根据PHP error levels
设置错误级别答案 1 :(得分:11)
我能想象的一个解决方案是(ab)使用__set
和property_exists
:
public function __set($var, $value) {
if (!property_exists($this, $var)) {
throw new Exception('Undefined property "'.$var.'" should be set to "'.$value.'"');
}
throw new Exception('Trying to set protected / private property "'.$var.'" to "'.$value.'" from invalid context');
}