关联定义

一对多关联的情况也比较常见,使用hasMany方法定义,参数包括:

### hasMany('关联模型名','外键名','主键名',['模型别名定义']);

例如一篇文章可以有多个评论

  1. <?php
  2. namespace app\index\model;
  3. use think\Model;
  4. class Article extends Model
  5. {
  6. public function comments()
  7. {
  8. return $this->hasMany('Comment');
  9. }
  10. }

同样,也可以定义外键的名称

  1. <?php
  2. namespace app\index\model;
  3. use think\Model;
  4. class Article extends Model
  5. {
  6. public function comments()
  7. {
  8. return $this->hasMany('Comment','art_id');
  9. }
  10. }

如果需要指定查询字段,可以使用下面的方式:

  1. <?php
  2. namespace app\index\model;
  3. use think\Model;
  4. class Article extends Model
  5. {
  6. public function comments()
  7. {
  8. return $this->hasMany('Comment')->field('id,author,content');
  9. }
  10. }

关联查询

我们可以通过下面的方式获取关联数据

  1. $article = Article::get(1);
  2. // 获取文章的所有评论
  3. dump($article->comments);
  4. // 也可以进行条件搜索
  5. dump($article->comments()->where('status',1)->select());

根据关联条件查询

可以根据关联条件来查询当前模型对象数据,例如:

  1. // 查询评论超过3个的文章
  2. $list = Article::has('comments','>',3)->select();
  3. // 查询评论状态正常的文章
  4. $list = Article::hasWhere('comments',['status'=>1])->select();
V5.0.13+版本开始,hasWhere方法新增fields参数,用于指定返回的字段列表。例如:
  1. // 查询评论状态正常的文章
  2. $list = Article::hasWhere('comments', ['status'=>1], 'name,title')
  3. ->select();

关联新增

  1. $article = Article::find(1);
  2. // 增加一个关联数据
  3. $article->comments()->save(['content'=>'test']);
  4. // 批量增加关联数据
  5. $article->comments()->saveAll([
  6. ['content'=>'thinkphp'],
  7. ['content'=>'onethink'],
  8. ]);

定义相对的关联

要在 Comment 模型定义相对应的关联,可使用 belongsTo 方法:

  1. <?php
  2. name app\index\model;
  3. use think\Model;
  4. class Comment extends Model
  5. {
  6. public function article()
  7. {
  8. return $this->belongsTo('article');
  9. }
  10. }