关联查询通过表与表之间进行关联和对象化, 更高效的操作数据;将表分为主表和附表,通过外键连接;常分为一对一、一对多和多对多三种模式。
一张主表中对应附表中某个字段的属性也只有一个。 一对一分为正向关联和反向关联,即可以通过主表查询附表(hasOne),也可通过附表查询主表(belongsTo)。
正向关联,hasOne('关联模型类名', '外键', '主键');
关联模型(必须):关联模型类名
外键:默认的外键规则是当前模型名(不含命名空间,下同)+_id ,例如user_id
主键:当前模型主键,默认会自动获取也可以指定传入
1.创建User模型(主表)
2.创建关联数据库模型Profile(附表)
3.在User模型端去关联Profile数据表
class User extends Model
{
public function profile()
{
//
return $this->hasOne(Profile::class);
}
}
4.控制器用于测试:
$user = User::find(1);
// 输出Profile关联模型的email属性
echo $user->profile->email;
修改和新增附表中的字段
$user = User::find(1);
$user->profile->save(['email'=>'修改']);
$user->profile()->save(['email'=>'新增']);
反向查询,相对关联,belongsTo('关联模型','外键', '关联主键');
在附表模型中关联主表:
class Profile extends Model
{
public function User()
{
return $this->belongsTo(User::class);
}
}
控制器端调用:
$Profile = Profile::find(1);//1是附表id
return $Profile->user->name
通过正向模拟反向
$user = UserModel::hasWhere('profile',['id'=>1])->find();
return json($user);
闭包方法更加随意操作附表:
$user = UserModel::hasWhere('profile',function($query){
$query->where('profile.id',1);
})->find();
return json($user);
总结:
hasOne 模式, 适合主表关联附表,在主表模型中建立附表名称的function。
belongsTo 模式, 适合附表关联主表,在附表模型中建立主表名称的function。
->profile 属性方式可以修改附表数据, ->profile()方法方式可以新增附表数据;
调用过程中,都先找到对应数据,在进行操作。
一张主表中对应附表中某个字段的属性有多个。 hasMany 模式, 适合主表关联附表, 实现一对多查询。
在主表(主模型UserModel)中关联附表:
public function profile()
{
return $this->hasMany(Profile::class);
}
控制器中调用和一对一一样,但是如果附表中存在多条满足条件的字段,一对一只能显示一条,而一对多可显示多条。
$user = UserModel::find(9);
return json($user->profile);
进一步筛选:结合where使用Profile()方法
return json($user->profile);
return json($user->profile()->select());
return json($user->profile()->where('id','>',0)->select());
使用 has()方法, 查询关联附表的主表内容, 比如大于等于 2 条的主表记录
UserModel::has('profile','>=',2)->select();
使用 save()和 saveAll()进行关联新增和批量关联新增
$user = UserModel::find(1);
$user->profile()->save(['hobby'=>'测试喜好']);
$user->profile()->saveAll([
['hobby'=>'测试喜好1'],
['hobby'=>'测试喜好2']
['hobby'=>'测试喜好3']
]);
关联删除:使用 together()方法, 可以删除主表内容时, 将附表关联的内容全部删除
$user=UserModel::with('profile')->find(1);
$user->together(['profile'])->delete();
belongsToMany('关联模型','中间表','外键','关联键');
关联模型(必须):关联模型类名
中间表:默认规则是当前模型名+_+关联模型名 (可以指定模型名)
外键:中间表的当前模型外键,默认的外键名规则是关联模型名+_id
关联键:中间表的当前模型关联键名,默认规则是当前模型名+_id
主表中一个人对应附表中多个岗位,附表中某一种岗位对应主表中多个人。存在中间表。belongsToMany 为多对多关联模式。
role.php 和 access.php 创建一个空模型即可, 无须创建任何;
注意: Role 继承 Model 即可,而中间表需要继承 Pivot;
中间表名无需添加表前缀,并支持定义中间表模型,例如
public function roles()
{
return $this->belongsToMany(Role::class, Access::class);
}
中间表模型类必须继承think\model\Pivot,例如:
<?php
namespace app\model;
use think\model\Pivot;
class Access extends Pivot
{
protected $autoWriteTimestamp = true;
}
关联新增,使用roles()方法后,在进行save()或saveAll(), 不但会给 tp_role 新增一条数据, 也会给 tp_access 新增一条;
$user = UserModel::find(1);
// 给用户增加管理员权限 会自动写入角色表和中间表数据
$user->roles()->save(['name'=>'管理员']);
// 批量授权
$user->roles()->saveAll([
['name'=>'管理员'],
['name'=>'操作员'],
]);