springboot使用tkmybatis
tkmybatis是对mybatis的进一步封装,它对基本的单表的增删改查又做了进一步封装.如果有复杂的需求也可以自定义SQL.
pom依赖
<!--tkmybatis-->
<dependency>
<groupId>tk.mybatis</groupId>
<artifactId>mapper-spring-boot-starter</artifactId>
<version>1.2.4</version>
</dependency>
base类
首先自定义一个公共的CommonMapper继承一些tkmybatis的现有的mapper,注意这个类不能被spring扫描到,否则会出现java.lang.NoSuchMethodException: tk.mybatis.mapper.provider.base.BaseSelectProvider.异常.
在后面的代码注释中有相应的解决方法.
public interface CommonMapper<T> extends
MySqlMapper<T>, Mapper<T> , ConditionMapper<T> , IdsMapper<T> {
/*
* MySqlMapper是指mysql独有的一些通用的方法
* Mapper主要的方法来源,包含BaseMapper<T>,ExampleMapper<T>,RowBoundsMapper<T>,Marker {
* ConditionMapper按照自定义的条件查询
* IdsMapper按照ids查询,比较鸡肋,要求id是自增的.
* */
}
定义dao层
//使用@Mapper注解单独标记,避免在主类使用@MapperScan
@Mapper
public interface UserDao extends CommonMapper<User> {
}
定义实体类
在实体类中,使用@Table()注解,声明对应的数据库中的表名,如果实体类名和数据库名不一致会出现.Table ‘dev.user’ doesn’t exist异常.
@Data
//标注该实体类对应的数据库中的具体的表.
@Table(name = "t_user")
public class User {
private String name;
private Integer age;
private String sex;
public User(String name, Integer age, String sex) {
this.name = name;
this.age = age;
this.sex = sex;
}
public User() {
}
}
定义controller
常规套路,不做说明
@RestController
public class UserController {
@Resource
private UserDao userDao;
@GetMapping("/get")
public Object get() {
List<User> list = userDao.selectAll();
return list;
}
@GetMapping("/add")
public Object add() {
User user = new User("黄渤",22,"男");
int i = userDao.insertSelective(user);
return i;
}
}
注意启动类
为了避免自定义的CommonMapper被扫描.
@SpringBootApplication
//注意使用org.mybatis.spring.annotation.MapperScan包下的此注解会连带扫描自定义的CommonMapper,会出现
//java.lang.NoSuchMethodException: tk.mybatis.mapper.provider.base.BaseSelectProvider.异常
//@MapperScan("com.jd.dao")
public class Application {
/*
* 以上的解决方案:
* 一/使用import tk.mybatis.spring.annotation.MapperScan包下的@MapperScan注解
* 二/或者不使用@MapperScan注解,改为在dao层的UserDao上添加@Mapper注解来单独标注mapper接口
* */
public static void main(String[] args) {
SpringApplication.run(Application.class, args);
}
}
测试一下
测试添加:
测试查询: