环境: Springboot , mybatis-plus, mysql, jdk1.8
1.@Mapper和@MapperScan必须二选一
所以
- 要么在每个mapper接口上打上@Mapper注解;
- 要么在配置类(或者启动类)上使用@MapperScan(“xxx.xxx.mapper”) , 其参数就是你的mapper接口所在的包名.(推荐使用这种方式, 每个接口都写@Mapper太麻烦了);
2. @Repository用不用无所谓
- 如果不用, 使用@Autowire注入mapper接口时, 会出现以下爆红情况. 说什么Could not autowire. No beans of xxxxxxxx
- 但是其实并不会影响运行, 如果强迫症看到爆红就是不舒服, 可以在每个mapper接口上打上注解 @Repository.
@Repository注解是Spring的注解,使用该注解和@Autowired注解,就不会出现爆红的情况了,原因很简单,因为@Repository注解是Spring的注解,把当前类注册成一个bean了。
3. mapper的xml文件放哪?
主要有两种放法
第一种:放在mapper接口所在的文件夹(创建一个xml文件夹进行放置, 方便管理)
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.limi.mptest.mapper.StudentMapper">
<select id="getStudentById" resultType="com.limi.mptest.entity.Student">
select *
from student
where id = #{id}
</select>
</mapper>
注意,这时还要在配置一下
- 在application.properties中加入
#配置mapper xml文件的路径
mybatis-plus.mapper-locations=classpath:com/limi/mptest/mapper/xml/*.xml
- pom.xml文件中加入
<build>
<resources>
<resource>
<directory>src/main/java</directory>
<includes>
<include>**/*.xml</include>
</includes>
<filtering>false</filtering>
</resource>
</resources>
</build>
为啥要在pom.xml中加入如上配置?
? ?? ? 因为maven默认只把src/main/resources目录中的非java文件, 拷贝到编译后的文件夹target中, 只有在pom.xml加入上面的配置后, src/main/java文件夹中mapper的xml文件才会拷贝到target/classes内, 否则编译后运行的.class字节码使用不到xml文件.
在application.properties中配置时, classpath:指的是那个文件夹?
? ?? ? 这个classpath指的就是src/main/java编译后出现在target中的文件夹classes, 编译后的.class字节码就放里面了. 同时上面也说了, src/main/java中mapper的xml的文件不是也跟着拷贝过来了吗, 字节码运行要使用xml文件, 所以要告诉它xml文件在哪.
- 编写接口并测试, 运行正常
第二种:放在resourses文件夹(创建一个mapper文件夹进行放置, 方便管理)
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.limi.mptest.mapper.StudentMapper">
<select id="getStudentById" parameterType="long" resultType="com.limi.mptest.entity.Student">
select *
from student
where id = #{id}
</select>
</mapper>
- pom.xml就不需要第一种那样配置了, 因为上面也说了,
maven是默认会把resources中的非java文件拷贝到编译后的文件夹target中的. - 不过application.properties中的mybatis-plus.mapper-locations的路径需要改一下, 其实我们可以发现这个路径都是以target为根目录的.
#配置mapper xml文件的路径
mybatis-plus.mapper-locations=mapper/*.xml
- 进行测试, 运行正常
|