该问题是由于Model
'toArray()
方法忽略了与基础表中的列不直接相关的任何访问器这一事实引起的。
正如 Taylor Otwell 在这里提到的,“这是故意的,也是出于性能原因。” 但是,有一种简单的方法可以实现这一点:
class EventSession extends Eloquent {
protected $table = 'sessions';
protected $appends = array('availability');
public function getAvailabilityAttribute()
{
return $this->calculateAvailability();
}
}
只要您添加了适当的访问器,$appends 属性中列出的任何属性都将自动包含在模型的数组或 JSON 形式中。
旧答案(对于 Laravel 版本 < 4.08):
我发现的最佳解决方案是覆盖该toArray()
方法并明确设置属性:
class Book extends Eloquent {
protected $table = 'books';
public function toArray()
{
$array = parent::toArray();
$array['upper'] = $this->upper;
return $array;
}
public function getUpperAttribute()
{
return strtoupper($this->title);
}
}
或者,如果您有很多自定义访问器,请遍历它们并应用它们:
class Book extends Eloquent {
protected $table = 'books';
public function toArray()
{
$array = parent::toArray();
foreach ($this->getMutatedAttributes() as $key)
{
if ( ! array_key_exists($key, $array)) {
$array[$key] = $this->{$key};
}
}
return $array;
}
public function getUpperAttribute()
{
return strtoupper($this->title);
}
}