MyBatis的各种查询功能:
(1)若查询出的数据只有一条
可以通过实体类对象接收
可以通过list集合接收
可以通过map集合接收
(2)若查询出的数据有多条
可以通过实体类类型的list集合接收
可以通过map类型的list集合接收
可以在mapper接口的方法上添加@MapKey注解,此时就可以将每条数据转换的map集合作为值,以某个字段的值作为键,放在同一个map集合中
注意:一定不能通过实体类对象接收,此时会抛异常TooManyResultsException
一、查询一个实体类对象
/**
* 根据id查询用户信息
*/
User getUserById(@Param("id") Integer id);
1
2
3
4
查询单个参数,最好也用@Param("id") 限制访问名称
1
2
3
4
@Test
public void testGetUserById(){
SqlSession sqlSession = SqlSessionUtils.getSqlSession();
SelectMapper mapper = sqlSession.getMapper(SelectMapper.class);
System.out.println(mapper.getUserById(2));
}
1
2
3
4
5
6
二、查询一个list集合
(1)查询单条数据
/**
* 根据id查询用户信息
*/
List
1
2
3
4
查询单个参数,最好也用@Param("id") 限制访问名称
1
2
3
4
@Test
public void testGetUserById(){
SqlSession sqlSession = SqlSessionUtils.getSqlSession();
SelectMapper mapper = sqlSession.getMapper(SelectMapper.class);
System.out.println(mapper.getUserById(2));
}
1
2
3
4
5
6
(2)查询多条数据
除了单条数据可以用List,多条数据也可以利用List集合
/**
* 查询所有的用户信息
*/
List
1
2
3
4
1
2
3
4
@Test
public void testGetAllUser(){
SqlSession sqlSession = SqlSessionUtils.getSqlSession();
SelectMapper mapper = sqlSession.getMapper(SelectMapper.class);
System.out.println(mapper.getAllUser());
}
1
2
3
4
5
6
三、查询单个数据
/**
* 查询用户信息的总记录数
*/
Integer getCount();
1
2
3
4
1
2
3
4
@Test
public void testGetCount(){
SqlSession sqlSession = SqlSessionUtils.getSqlSession();
SelectMapper mapper = sqlSession.getMapper(SelectMapper.class);
System.out.println(mapper.getCount());
}
1
2
3
4
5
6
四、查询一条数据为map集合
常用功能:某些场景需要查询多个表,结果就可以以一个map的形式返回
/**
* 根据id查询用户信息为一个map集合
*/
Map
1
2
3
4
1
2
3
4
@Test
public void testGetUserByIdToMap(){
SqlSession sqlSession = SqlSessionUtils.getSqlSession();
SelectMapper mapper = sqlSession.getMapper(SelectMapper.class);
System.out.println(mapper.getUserByIdToMap(2));
}
1
2
3
4
5
6
五、查询多条数据为map集合
(1)返回一个List集合
/**
* 查询所有用户信息为map集合
*/
List
(2)利用@MapKey指定某个字段作为键
可以在mapper接口的方法上添加@MapKey注解,此时就可以将每条数据转换的map集合作为值,以某个字段的值作为键,放在同一个map集合中
@MapKey("id")
Map
1
2
1
2
3
4
@Test
public void testGetAllUserToMap(){
SqlSession sqlSession = SqlSessionUtils.getSqlSession();
SelectMapper mapper = sqlSession.getMapper(SelectMapper.class);
System.out.println(mapper.getAllUserToMap());
}
1
2
3
4
5
6
————————————————
版权声明:本文为CSDN博主「南淮北安」的原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接及本声明。
原文链接:https://blog.csdn.net/nanhuaibeian/article/details/124752686