mybatis n+1问题
mybatis的一对多或者多对多的时候,2中方式解决,一种是嵌套select,但是会有n+1问题,不推荐;另外一种是使用一条sql,在该sql里面使用子查询的方式来完成。比如
select * from clazz m left join student mm on m.id = mm.clazz_id where m.id in (select t.id from clazz t limit 0, 10),但是这种方式有小问题,mysql的in这种子查询不支持带有limit的子查询,也就是说上面红色部分中带有limit,并且在in子句中,会报错:
[Err] 1235 - This version of MySQL doesn't yet support 'LIMIT & IN/ALL/ANY/SOME subquery'
解决该问题的是在子查询外面在套一层,如下
select * from clazz m left join student mm on m.id = mm.clazz_id where m.id in (select id from (select t.id from clazz t limit 0, 10) as id),
这样子就解决了n+1问题。
还有另外一种写法也可以实现:
select * from (select * from teacher t limit 0, 2) tt left join clazz ttt on tt.id = ttt.teacher_id;