我有产品型号
class Product extends Model
{
...
public function prices()
{
return $this->hasMany('App\Price');
}
...
}
我想添加一个返回最低价格的函数,在控制器中我可以使用以下方法获取值:
Product::find(1)->lowest;
我在产品型号中添加了这个:
public function lowest()
{
return $this->prices->min('price');
}
但是我收到了一个错误说:
Relationship method must return an object of type Illuminate\Database\Eloquent\Relations\Relation
如果我使用Product::find(1)->lowest();
,它会起作用。是否可以让Product::find(1)->lowest;
起作用?
任何帮助都将不胜感激。
答案 0 :(得分:31)
当您尝试将模型中的函数作为变量访问时,laravel假定您正在尝试检索相关模型。他们称之为动态属性。您需要的是自定义属性。
将以下方法添加到您的模型中:
public function getLowestAttribute()
{
//do whatever you want to do
return 'lowest price';
}
现在您应该能够像这样访问它:
Product::find(1)->lowest;
答案 1 :(得分:13)
使用Eloquent accessors
public function getLowestAttribute()
{
return $this->prices->min('price');
}
然后
$product->lowest;
答案 2 :(得分:2)
为什么你不这样做?我知道,这不是你要求的具体而且有时候它很糟糕。但在你的情况下,我认为这很好。
$product = Product::with(['prices' => function ($query) {
$query->min('price');
}])->find($id);
答案 3 :(得分:2)
更改关注代码
public function lowest()
{
return $this->prices->min('price');
}
到
// add get as prefix and add posfix Attribute and make camel case function
public function getLowestAttribute()
{
return $this->prices->min('price');
}
答案 4 :(得分:1)
您可以使用上述方法或使用以下方法将功能直接添加到现有模型中:
class Company extends Model
{
protected $table = 'companies';
// get detail by id
static function detail($id)
{
return self::find($id)->toArray();
}
// get list by condition
static function list($name = '')
{
if ( !empty($name) ) return self::where('name', 'LIKE', $name)->get()->toArray();
else return self::all()->toArray();
}
}
或使用Illuminate \ Support \ Facades \ DB;内部功能。希望这对其他人有帮助。