欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

springboot下使用mybatis的方法

程序员文章站 2024-04-01 16:41:28
使用mybatis-spring-boot-starter即可。 简单来说就是mybatis看见spring boot这么火,于是搞出来mybatis-spring-boo...

使用mybatis-spring-boot-starter即可。 简单来说就是mybatis看见spring boot这么火,于是搞出来mybatis-spring-boot-starter这个解决方案来与springboot更好的集成

详见

引入mybatis-spring-boot-starter的pom文件

<dependency>  
  <groupid>org.mybatis.spring.boot</groupid>  
  <artifactid>mybatis-spring-boot-starter</artifactid>  
  <version>1.1.1</version>  
</dependency>

application.properties 添加相关配置

spring.datasource.driverclassname = com.mysql.jdbc.driver
spring.datasource.url = jdbc:mysql://localhost:3306/city?useunicode=true&characterencoding=utf-8
spring.datasource.username = root
spring.datasource.password = mysql

springboot会自动加载spring.datasource.*相关配置,数据源就会自动注入到sqlsessionfactory中,sqlsessionfactory会自动注入到mapper中,对了你一切都不用管了,直接拿起来使用就行了。

mybatis.type-aliases-package=com.test.demo.model

这个配置用来指定bean在哪个包里,避免存在同名class时找不到bean

在启动类中添加@mapperscan指定dao或者mapper包的位置,可以用 {"",""}的形式指定多个包

@springbootapplication
@mapperscan("com.test.demo.dao")
public class application {
  public static void main(string[] args) {
    springapplication.run(application.class, args);
  }
}

或者直接在mapper类上面添加注解@mapper也可以指定mapper,建议使用上面这种,给每个mapper加个注解挺麻烦不说,如果是dao的包,还是要用@mapperscan来指定位置

接下来,可以用注解模式开发mapper,或者用xml模式开发

注解模式

@mapper
public interface citymapper {
  @select("select * from city where state = #{state}")
  city findbystate(@param("state") string state);
}

@select 是查询类的注解,所有的查询均使用这个 @result 修饰返回的结果集,关联实体类属性和数据库字段一一对应,如果实体类属性和数据库属性名保持一致,就不需要这个属性来修饰。 @insert 插入数据库使用,直接传入实体类会自动解析属性到对应的值 @update 负责修改,也可以直接传入对象 @delete 负责删除 了解更多注解参考这里

xml模式

xml模式保持映射文件的老传统,application.properties需要新增

mybatis.mapper-locations=classpath:mybatis/mapper/*.xml

指定mybatis的映射xml文件位置 此外,还可以指定mybatis的配置文件,如果需要增加mybatis的一些基础配置,可以增加下面的配置

mybatis.config-locations=classpath:mybatis/mybatis-config.xml

指定mybatis基础配置文件

mybatis-config.xml可以添加一些mybatis基础的配置,例如

<configuration>
  <typealiases>
    <typealias alias="integer" type="java.lang.integer" />
    <typealias alias="long" type="java.lang.long" />
    <typealias alias="hashmap" type="java.util.hashmap" />
    <typealias alias="linkedhashmap" type="java.util.linkedhashmap" />
    <typealias alias="arraylist" type="java.util.arraylist" />
    <typealias alias="linkedlist" type="java.util.linkedlist" />
  </typealiases>
</configuration>

编写dao层的代码

public interface citydao {
  public city selectcitybystate(string state);
}

对应的xml映射文件

<!doctype mapper
public "-//mybatis.org//dtd mapper 3.0//en"
"http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.test.demo.dao.citydao">
  <select id="selectcitybystate" parametertype="string" resulttype="city">
    select * from city where state = #{state}
  </select></mapper>

总结

以上所述是小编给大家介绍的springboot下使用mybatis的方法,希望对大家有所帮助!