mybatis-plus配置
时间: 2023-07-11 15:39:50 浏览: 151
MyBatis-Plus 是 MyBatis 的增强工具,在使用 MyBatis-Plus 之前需要先集成 MyBatis。以下是 MyBatis-Plus 的配置步骤:
1. 引入 MyBatis-Plus 依赖
```xml
<dependency>
<groupId>com.baomidou</groupId>
<artifactId>mybatis-plus-boot-starter</artifactId>
<version>3.4.3.1</version>
</dependency>
```
2. 配置 MyBatis-Plus
在 Spring Boot 的配置文件 application.yml 中添加以下配置:
```yaml
mybatis-plus:
# 实体类扫描包路径
typeAliasesPackage: com.example.entity
# mybatis 配置文件路径
config-location: classpath:mybatis-config.xml
# 是否开启驼峰命名规则(默认 true)
configuration:
map-underscore-to-camel-case: true
```
3. 编写实体类
MyBatis-Plus 会自动将实体类与数据库表进行映射,因此需要编写实体类,并在类上添加注解 @TableName,指定对应的数据库表名。
```java
@Data
@TableName("user")
public class User {
private Long id;
private String name;
private Integer age;
private String email;
}
```
4. 编写 Mapper 接口
MyBatis-Plus 提供了 BaseMapper 接口,可以通过继承该接口来快速编写 Mapper 接口。
```java
public interface UserMapper extends BaseMapper<User> {
}
```
5. 使用 MyBatis-Plus 进行数据库操作
```java
@Service
public class UserService {
@Autowired
private UserMapper userMapper;
public User getById(Long id) {
return userMapper.selectById(id);
}
public List<User> getByName(String name) {
QueryWrapper<User> wrapper = new QueryWrapper<>();
wrapper.eq("name", name);
return userMapper.selectList(wrapper);
}
public int save(User user) {
return userMapper.insert(user);
}
public int updateById(User user) {
return userMapper.updateById(user);
}
public int deleteById(Long id) {
return userMapper.deleteById(id);
}
}
```
以上就是 MyBatis-Plus 的配置步骤和使用示例。
阅读全文