Laravel如何在Eloquent模型中添加自定义函数?

问题描述 投票:16回答:4

我有一个产品型号

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;工作吗?

任何帮助,将不胜感激。

php laravel model eloquent
4个回答
31
投票

当您尝试将模型中的函数作为变量访问时,laravel假定您正在尝试检索相关模型。他们称之为动态属性。您需要的是自定义属性。

将以下方法添加到您的模型:

public function getLowestAttribute()
{
    //do whatever you want to do
    return 'lowest price';
}

现在您应该能够像这样访问它:

Product::find(1)->lowest;

13
投票

使用Eloquent accessors

public function getLowestAttribute()
{
    return $this->prices->min('price');
}

然后

$product->lowest;

2
投票

为什么你不这样做?我知道,这不是你要求的具体而且有时可能是一种不好的做法。但在你的情况下,我猜这很好。

$product = Product::with(['prices' => function ($query) {
   $query->min('price');
}])->find($id);

0
投票

您可以使用上述方法或使用以下方法将函数直接添加到现有模型中:

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;在你的功能里面。希望这能帮到别人。

© www.soinside.com 2019 - 2024. All rights reserved.