Thinkphp 6.0关联预载入

本节课我们来了解关联模型中,关联预载入的使用方法。


一.关联预载入


1. 在普通的关联查询下,我们循环数据列表会执行 n+1 次 SQL 查询;

$list = UserModel::select([19, 20, 21]);
foreach ($list as $user) {
dump($user->profile);
}


2. 上面继续采用一对一的构建方式,打开 trace 调试工具,会得到四次查询;
3. 如果采用关联预载入的方式,将会减少到两次,也就是起步一次,循环一次;

$list = UserModel::with(['profile'])->select([19, 20, 21]);
foreach ($list as $user) {
dump($user->profile);
}


4. 关联预载入减少了查询次数提高了性能,但是不支持多次调用;
5. 如果你有主表关联了多个附表,都想要进行预载入,可以传入多个模型方法即可;
6. 为此,我们再创建一张表 tp_book,和 tp_profile 一样,关联 tp_user;

$list = UserModel::with(['profile,book'])->select([19, 20, 21]);
foreach ($list as $user) {
dump($user->profile.$user->book);
}


7. 如果想要在关联模型实现链式操作,可以使用闭包,比如添加->field();

$user = UserModel::field('id,username')->with(['profile'=>function ($query) {
$query->field('user_id, hobby');
}])->select([19,20,21]);


8. 关联预载入还提供了一个延迟预载入,就是先执行 select()再 load()载入;
 

$list = UserModel::select([19, 20, 21]);
$list->load(['profile']);
foreach ($list as $user) {
dump($user->profile);
}

你可能感兴趣的:(php,sql,数据库,mysql,php)