hasOne方法的参数包括:

默认的join类型为INNER

V5.0.3+版本开始,可以支持为关联模型定义需要查询的字段,例如:

  1. namespace appindexmodel;
  2. use thinkModel;
  3. class User extends Model
  4. {
  5. public function profile()
  6. {
  7. return $this->hasOne('Profile')->field('id,name,email');
  8. }
  9. }

5.0.5+版本开始,模型别名定义参数已经废弃。

定义好关联之后,就可以使用下面的方法获取关联数据:

  1. $user = User::get(1);
  2. // 输出Profile关联模型的email属性
  3. echo $user->profile->email;

如果要根据关联表的查询条件查询当前模型的数据,可以使用hasWhere方法,例如:

  1. $user = User::hasWhere('profile',['email'=>'thinkphp@qq.com'])->find();
  2. echo $user->name;
  1. <?php
  2. namespace appindexmodel;
  3. use thinkModel;
  4. class User extends Model
  5. {
  6. public function profile()
  7. {
  8. }

系统会自动把当前模型的主键传入profile模型。

和新增一样使用save方法进行更新关联数据。

  1. $user = User::get(1);
  2. $user->profile->email = 'thinkphp';
  3. $user->profile->save();
  4. // 或者
  5. $user->profile->save(['email' => 'thinkphp']);

我们可以在Profile模型中定义一个相对的关联关系,例如:

  1. namespace appindexmodel;
  2. use thinkModel;
  3. class Profile extends Model
  4. {
  5. public function user()
  6. {
  7. return $this->belongsTo('User');
  8. }
  9. }

belongsTo的参数包括:

默认的关联外键是user_id,如果不是,需要在第二个参数定义

  1. <?php
  2. namespace appindexmodel;
  3. use thinkModel;
  4. class Profile extends Model
  5. {
  6. public function user()
  7. {
  8. return $this->belongsTo('User','uid');
  9. }
  10. }

我们就可以根据档案资料来获取用户模型的信息

  1. $profile = Profile::get(1);

或者使用数组的方式指定绑定属性别名

  1. <?php
  2. namespace appindexmodel;
  3. use thinkModel;
  4. class User extends Model
  5. {
  6. public function profile()
  7. {
  8. return $this->hasOne('Profile','uid')->bind([
  9. 'email',
  10. 'truename' => 'nickname',
  11. 'profile_id' => 'id',
  12. ]);
  13. }
  14. }

然后使用关联预载入查询的时候,可以使用

  1. $user = User::get(1,'profile');
  2. // 输出Profile关联模型的email属性
  3. echo $user->email;
  4. echo $user->profile_id;

绑定关联属性不影响原有关联属性的读取,绑定关联模型的属性支持读取器。

我们可以使用together方法更方便的进行关联自动写入操作。

写入

  1. $blog = new Blog;
  2. $blog->name = 'thinkphp';
  3. $blog->title = 'ThinkPHP5关联实例';
  4. $content = new Content;
  5. $content->data = '实例内容';
  6. $blog->content = $content;
  7. $blog->together('content')->save();

更新

  1. // 查询
  2. $blog = Blog::get(1);
  3. $blog->title = '更改标题';
  4. $blog->content->data = '更新内容';
  5. // 更新当前模型及关联模型