加载中...

聚合模型


聚合模型

版本 调整功能
5.0.3 支持使用field属性定义需要的字段
5.0.2 relationModel 属性改为非静态定义

通过聚合模型可以把一对一关联的操作更加简化,只需要把你的模型类继承think\model\Merge,就可以自动完成关联查询、关联保存和关联删除。

例如下面的用户表关联了档案表,两个表信息如下:

think_user

字段名 描述
id 主键
name 用户名
password 密码
nickname 昵称

think_profile

字段名 描述
id 主键
truename 真实姓名
phone 电话
email 邮箱
user_id 用户ID

我们只需要定义好主表的模型,例如下面是User模型的定义:

  1. namespace app\index\model;
  2. use think\model\Merge;
  3. class User extends Merge
  4. {
  5. // 定义关联模型列表
  6. protected static $relationModel = ['Profile'];
  7. // 定义关联外键
  8. protected $fk = 'user_id';
  9. protected $mapFields = [
  10. // 为混淆字段定义映射
  11. 'id' => 'User.id',
  12. 'profile_id' => 'Profile.id',
  13. ];
  14. }

V5.0.2+版本relationModel 属性不再使用static定义了。

如果需要单独设置关联数据表,可以使用:

  1. namespace app\index\model;
  2. use think\model\Merge;
  3. class User extends Merge
  4. {
  5. // 设置主表名
  6. protected $table = 'think_user';
  7. // 定义关联模型列表
  8. protected static $relationModel = [
  9. // 给关联模型设置数据表
  10. 'Profile' => 'think_user_profile',
  11. ];
  12. // 定义关联外键
  13. protected $fk = 'user_id';
  14. protected $mapFields = [
  15. // 为混淆字段定义映射
  16. 'id' => 'User.id',
  17. 'profile_id' => 'Profile.id',
  18. ];
  19. }

注意:对于关联表中存在混淆的字段名一定要通过mapFields属性定义。

接下来,我们可以和使用普通模型一样的方法来操作用户模型及其关联数据。

  1. // 关联查询
  2. $user = User::get(1);
  3. echo $user->id;
  4. echo $user->name;
  5. echo $user->phone;
  6. echo $user->email;
  7. echo $user->profile_id;
  8. $user->email = 'thinkphp@qq.com';
  9. // 关联保存
  10. $user->save();
  11. // 关联删除
  12. $user->delete();
  13. // 根据主键关联删除
  14. User::destroy([1,2,3]);

操作两个数据表就和操作一个表一样的感觉,关联表的写入、更新和删除自动采用事务(只要数据库支持事务),一旦主表写入失败或者发生异常就会发生回滚。

如果主表除了Profile关联之外,还有其他的一对多关联,一样可以定义额外的关联,例如:

  1. namespace app\index\model;
  2. use think\model\Merge;
  3. class User extends Merge
  4. {
  5. // 定义关联模型列表
  6. protected static $relationModel = ['Profile'];
  7. // 定义关联外键
  8. protected $fk = 'user_id';
  9. protected $mapFields = [
  10. // 为混淆字段定义映射
  11. 'id' => 'User.id',
  12. 'profile_id' => 'Profile.id',
  13. ];
  14. public function articles(){
  15. return $this->hasMany('Article');
  16. }
  17. }

对一对多关联进行操作,例如:

  1. $user = User::get(1);
  2. // 读取关联信息
  3. dump($user->articles);
  4. // 或者进行关联预载入
  5. $user = User::get(1,'articles');

注意:不能再次对 已经在relationModel属性中定义过的关联表进行关联定义和预载入查询。


还没有评论.