
Requirements
The data table is as follows:
department table
|id|name|
user table
|id|name|department_id|
The requirement is to obtain data with the following structure:
1 2 3 4 5 | [
{ "id" :1, "name" : "test" , "department_id" :1, "department" :{ "id" :1, "name" : "测试部门"
}
}
]
|
Copy after login
Method 1: Loop query
Query user list
Loop user list to query corresponding department information
1 2 3 | $users = $db ->query('SELECT * FROM `user`'); foreach ( $users as & $user ) {
$users ['department'] = $db ->query('SELECT * FROM `department` WHERE `id` = '. $user ['department_id']);
}
|
Copy after login
The number of queries for this method is: 1 N (1 query list , N query departments), the performance is the lowest and not advisable.
方法二:连表
通过连表查询用户和部门数据
处理返回数据
1 | $users = $db ->query('SELECT * FROM `user` INNER JOIN `department` ON `department`.`id` = `user`.`department_id`');
|
Copy after login
该方法其实也有局限性,如果 user 和 department 不在同一个服务器是不可以连表的。
方法三:1+1查询
该方法先查询1次用户列表
取出列表中的部门ID组成数组
查询步骤2中的部门
合并最终数据
代码大致如下:
1 2 3 4 5 6 7 8 9 10 11 | $users = $db ->query('SELECT * FROM `user`');
$departmentIds =[ ]; foreach ( $users as $user ) { if (!in_array( $user ['department_id'], $departmentIds )) {
$departmentIds [] = $user ['department_id'];
}
}
$departments = $db ->query('SELECT * FROM `department` WHERE id in ('.join(',', $department_id ).')');
$map = [];
$map [ $department ['id']] = $department ;
} foreach ( $users as $user ) {
$user ['department'] = $map [ $user ['department_id']] ?? null;
}
|
Copy after login
该方法对两个表没有限制,在目前微服务盛行的情况下是比较好的一种做法。
更多MySQL相关技术文章,请访问MySQL教程栏目进行学习!
The above is the detailed content of Solve database N+1 query problem. For more information, please follow other related articles on the PHP Chinese website!