mybatisplus使用
时间: 2023-09-03 19:15:05 浏览: 108
mybatis plus操作
MybatisPlus 是一个 Mybatis 的增强工具,它简化了 Mybatis 的开发流程,提供了许多实用的功能,如自动生成 SQL、分页、逻辑删除等。下面是 MybatisPlus 的使用方法:
1. 引入 MybatisPlus
通过 Maven 引入 MybatisPlus 的依赖:
```xml
<dependency>
<groupId>com.baomidou</groupId>
<artifactId>mybatis-plus-boot-starter</artifactId>
<version>${mybatis-plus.version}</version>
</dependency>
```
2. 配置 MybatisPlus
在 Spring Boot 项目中配置 MybatisPlus,需要在 application.yml 文件中添加以下配置:
```yaml
mybatis-plus:
# mapper.xml 所在路径
mapper-locations: classpath:/mapper/*.xml
# 实体类所在包
typeAliasesPackage: com.example.entity
```
3. 定义实体类
实体类需要使用 MybatisPlus 提供的注解来标记字段,如 @Table、@Id、@TableField 等。例如:
```java
@Data
@TableName("user")
public class User {
@TableId(type = IdType.AUTO)
private Long id;
private String name;
private Integer age;
@TableField(fill = FieldFill.INSERT)
private Date createTime;
@TableField(fill = FieldFill.UPDATE)
private Date updateTime;
@TableLogic
private Integer deleted;
}
```
4. 定义 Mapper
Mapper 接口需要继承 MybatisPlus 提供的 BaseMapper 接口,例如:
```java
public interface UserMapper extends BaseMapper<User> {
}
```
5. 使用 MybatisPlus
使用 MybatisPlus 的查询、插入、更新、删除等操作,只需要调用 BaseMapper 接口提供的方法即可,例如:
```java
@Service
public class UserServiceImpl implements UserService {
@Autowired
private UserMapper userMapper;
@Override
public User getUserById(Long id) {
return userMapper.selectById(id);
}
@Override
public boolean addUser(User user) {
return userMapper.insert(user) > 0;
}
@Override
public boolean updateUser(User user) {
return userMapper.updateById(user) > 0;
}
@Override
public boolean deleteUserById(Long id) {
return userMapper.deleteById(id) > 0;
}
}
```
以上就是 MybatisPlus 的基本使用方法。除了上述功能,MybatisPlus 还提供了许多其他实用的功能,如分页、逆向工程、多租户、动态表名等,可以根据具体需求进行使用。
阅读全文