在 ActiveRecord 模式中,实体类充当了数据访问对象,不仅包含了实体的属性,还提供了数据库操作的方法。MyBatis-Plus 的 Model 类是实现 ActiveRecord 模式的关键。
以下是 MyBatis-Plus ActiveRecord 模式的基本使用示例:
1. 定义实体类:
import com.baomidou.mybatisplus.annotation.TableName;
import com.baomidou.mybatisplus.extension.activerecord.Model;
@TableName("user")
public class User extends Model<User> {
private Long id;
private String name;
private Integer age;
// Getter 和 Setter 方法省略...
}
2. 使用实体类进行数据库操作:
public class ActiveRecordExample {
public static void main(String[] args) {
// 插入操作
User user = new User();
user.setName("John");
user.setAge(25);
user.insert();
// 查询操作
User selectUser = user.selectById();
System.out.println(selectUser);
// 更新操作
user.setName("UpdatedName");
user.updateById();
// 删除操作
user.deleteById();
}
}
在上述示例中,User 类继承了 MyBatis-Plus 的 Model 类,并使用了 @TableName 注解指定表名。这样,User 类就具备了插入、查询、更新和删除的方法,分别对应了 insert、selectById、updateById、deleteById 等方法。
ActiveRecord 模式的优势在于直观性和简化了数据库操作的流程,使得开发者无需编写额外的 Mapper 接口和 XML 文件,直接在实体类中进行数据库操作。然而,这种模式也有一些限制,如不够灵活、不易进行复杂的关联查询等。在选择使用 ActiveRecord 模式时,需要权衡其优劣并根据实际项目需求进行决策。
转载请注明出处:http://www.pingtaimeng.com/article/detail/7049/MyBatis