Spring-mybatis-入门程序

This commit is contained in:
2025-09-25 11:12:22 +08:00
parent 7228061094
commit c49a7571f6
7 changed files with 270 additions and 0 deletions

View File

@@ -0,0 +1,13 @@
package com.inmind;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
@SpringBootApplication
public class SpringbootMybatisQuickstartApplication {
public static void main(String[] args) {
SpringApplication.run(SpringbootMybatisQuickstartApplication.class, args);
}
}

View File

@@ -0,0 +1,19 @@
package com.inmind.mapper;
import com.inmind.pojo.User;
import org.apache.ibatis.annotations.Mapper;
import org.apache.ibatis.annotations.Select;
import java.util.List;
//让mybatis进行识别是Mapper接口
//注意:在运行时,@Mapper会自动生成该接口UserMapper的实现类对象代理对象并且将该代理对象交给spring的IOC容器管理
@Mapper
public interface UserMapper {
/*
查询所有用户数据
*/
@Select("select * from user;")
public List<User> list();
}

View File

@@ -0,0 +1,71 @@
package com.inmind.pojo;
public class User {
private Integer id;
private String name;
private Integer age;
private Short gender;
private String phone;
public User() {
}
public User(Integer id, String name, Integer age, Short gender, String phone) {
this.id = id;
this.name = name;
this.age = age;
this.gender = gender;
this.phone = phone;
}
@Override
public String toString() {
return "User{" +
"id=" + id +
", name='" + name + '\'' +
", age=" + age +
", gender=" + gender +
", phone='" + phone + '\'' +
'}';
}
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 Integer getAge() {
return age;
}
public void setAge(Integer age) {
this.age = age;
}
public Short getGender() {
return gender;
}
public void setGender(Short gender) {
this.gender = gender;
}
public String getPhone() {
return phone;
}
public void setPhone(String phone) {
this.phone = phone;
}
}

View File

@@ -0,0 +1,15 @@
#下面这些内容是为了让MyBatis映射
#指定Mybatis的Mapper文件
mybatis.mapper-locations=classpath:mappers/*xml
#指定Mybatis的实体目录
mybatis.type-aliases-package=com.inmind.mybatis.entity
#驱动类名称
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
#数据库连接的url
spring.datasource.url=jdbc:mysql://localhost:3306/mybatis
#连接数据库的用户名
spring.datasource.username=root
#连接数据库的密码
spring.datasource.password=1234

View File

@@ -0,0 +1,26 @@
package com.inmind;
import com.inmind.mapper.UserMapper;
import com.inmind.pojo.User;
import org.junit.jupiter.api.Test;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.test.context.SpringBootTest;
import java.util.List;
@SpringBootTest
class SpringbootMybatisQuickstartApplicationTests {
@Autowired//直接从IOC容器中获取UserMapper类型的对象
private UserMapper userMapper;
@Test
void contextLoads() {
//使用mybatis框架查询所有用户的数据
List<User> list = userMapper.list();
list.stream().forEach(user -> {
System.out.println(user);
});
}
}