第一步:安装插件pom.xml
<!-- Spring-Mybatis -->
<dependency>
<groupId>org.mybatis.spring.boot</groupId>
<artifactId>mybatis-spring-boot-starter</artifactId>
<version>1.3.0</version>
</dependency>
<!--mysql-->
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
</dependency>
第二步:设置数据库的链接配置在application.properties
## mysql init
spring.datasource.url = jdbc:mysql://localhost:3306/school?useUnicode=true&characterEncoding=utf8
spring.datasource.username = root
spring.datasource.password = root
spring.datasource.driver-class-name = com.mysql.jdbc.Driver
spring.datasource.max-idle=10
spring.datasource.max-wait=10000
spring.datasource.min-idle=5
spring.datasource.initial-size=5
第三步:我们需要创建一个model实体
public class Person {
private Integer id;
private String name;
private String age;
public Integer getId() {
return id;
}
public void setId(Integer id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public String getAge() {
return age;
}
public void setAge(String age) {
this.age = age;
}
}
第四步:我们创建一个mapper包,里面专门存放查询数据库的操作
/**
* @Repository用于标注数据访问组件,即DAO组件;
*/
@Repository
public interface PersonMapper {
@Select("select * from person where id = #{id}")
Person getPerson(int id);
}
第五步:我们需要在系统启动的时候,扫描这个操作数据库的包,所以我们需要添加注解在Application.java中
/**
* 启动应用类
* @SpringBootApplication:Spring Boot 应用的标识
* http://localhost:8080/
*/
@MapperScan("com.example.gz.mapper") //扫描的mapper
@SpringBootApplication
public class GzApplication {
/**
* Application很简单,一个main函数作为主入口。SpringApplication引导应用,
* 并将Application本身作为参数传递给run方法。
* 具体run方法会启动嵌入式的Tomcat并初始化Spring环境及其各Spring组件。
* @param args
*/
public static void main(String[] args) {
SpringApplication.run(GzApplication.class, args);
}
}
第六步:我们需要创建service包,相当于p层,不让controller直接访问数据库
@Service
public class PersonService {
@Autowired
PersonMapper personMapper;
public Person getPerson(int id){
return personMapper.getPerson(id);
}
}
第七步:最后我们编写接口
/**
* @Controller 处理http请求
* @RestController Spring4 之后新加的注解,原来返回json需要@ResponseBody配合@Controller
*/
@RestController
public class UserController {
/**
* @Autowired 将实体对象进行了依赖注入
*/
@Autowired
private PersonService personService;
/**
* mybatis 操作数据库
* @param id
* @return
*/
@RequestMapping("/getPerson/{id}")
public Person getPerson(@PathVariable int id){
return personService.getPerson(id);
}
}
设计思想:
controller -----(@Autowired)--------> service -------(@Autowired)-------> mapper -------(@Repository)--------> Dao