Eloquent ORM模型中添加自定义的值

我们都知道通过Laravel中数据库查询出来的模型对象都是基于数据库字段,今天给大家展示一个 Laravel Eloquent ORM 模型特性-附加值不存在于数据表中。

举个简单的栗子,一篇文章(posts表)对应有很多评论(comments表),我们获取文章的同时需要获取评论数量。通常的做法就是根据 ORM 的关联关系,获取评论数量:$post->comments()->count() 。

  1. 要定义关联关系。

    class Post extends Model
    {
        /**
         * The attributes that are mass assignable.
         *
         * @var array
         */
        protected $fillable = ['title', 'text'];
    
        /**
         * 文章对应多条评论
         * @return \Illuminate\Database\Eloquent\Relations\HasMany
         */
        public function comments()
        {
            return $this->hasMany(Comment::class);
        }
    }
    
  2. 创建访问器
    public function getCountCommentsAttribute()
    {
    return $this->comments()->count();
    }

  3. 添加属性
    protected $appends = ['count_comments'];
    这样就大功告成了。

如果获取的是一个文章列表,那么最直接的办法就是 froeach 查询出来的文章,然后每篇文章获取评论数量;另外一种做法就是用 with 然后在闭包里面实现评论数量。
$posts = App\Post::with(['comments' => function ($query) { $query->count(); }])->get();

转载于:[https://laravel-china.org/topics/3521(https://laravel-china.org/topics/3521).`

你可能感兴趣的:(Eloquent ORM模型中添加自定义的值)