核心概念
Spring Data 存储库抽象中的核心接口是 Repository
。它以要管理的域类以及域类的标识符类型作为类型参数。此接口主要充当标记接口,用于捕获要使用的类型并帮助您发现扩展此接口的接口。 CrudRepository
和 ListCrudRepository
接口为正在管理的实体类提供复杂的 CRUD 功能。
CrudRepository
接口public interface CrudRepository<T, ID> extends Repository<T, ID> {
<S extends T> S save(S entity); (1)
Optional<T> findById(ID primaryKey); (2)
Iterable<T> findAll(); (3)
long count(); (4)
void delete(T entity); (5)
boolean existsById(ID primaryKey); (6)
// … more functionality omitted.
}
1 | 保存给定的实体。 |
2 | 返回由给定 ID 标识的实体。 |
3 | 返回所有实体。 |
4 | 返回实体数量。 |
5 | 删除给定的实体。 |
6 | 指示是否存在具有给定 ID 的实体。 |
此接口中声明的方法通常称为 CRUD 方法。ListCrudRepository
提供等效方法,但它们返回 List
,而 CrudRepository
方法返回 Iterable
。
我们还提供特定于持久化技术的抽象,例如JpaRepository 或MongoRepository 。这些接口扩展了CrudRepository ,除了CrudRepository 等相当通用的与持久化技术无关的接口之外,还公开了底层持久化技术的 capabilities。
|
除了CrudRepository
之外,还有PagingAndSortingRepository
和ListPagingAndSortingRepository
,它们添加了额外的 methods 来简化对实体的分页访问。
PagingAndSortingRepository
接口public interface PagingAndSortingRepository<T, ID> {
Iterable<T> findAll(Sort sort);
Page<T> findAll(Pageable pageable);
}
扩展接口需要实际存储模块支持。虽然本文档解释了通用方案,但请确保您的存储模块支持您要使用的接口。 |
要访问User
的第二页,每页大小为 20,您可以执行以下操作
PagingAndSortingRepository<User, Long> repository = // … get access to a bean
Page<User> users = repository.findAll(PageRequest.of(1, 20));
ListPagingAndSortingRepository
提供等效的 methods,但返回一个List
,而PagingAndSortingRepository
methods 返回一个Iterable
。
除了查询 methods 之外,还支持对计数和删除查询的查询派生。以下列表显示了派生计数查询的接口定义
interface UserRepository extends CrudRepository<User, Long> {
long countByLastname(String lastname);
}
以下列表显示了派生删除查询的接口定义
interface UserRepository extends CrudRepository<User, Long> {
long deleteByLastname(String lastname);
List<User> removeByLastname(String lastname);
}
实体状态检测策略
下表描述了 Spring Data 提供的用于检测实体是否为新的策略
|
默认情况下,Spring Data 检查给定实体的标识符属性。如果标识符属性为 |
|
如果存在用 |
实现 |
如果实体实现了 注意:如果您使用 |
提供自定义的 |
您可以通过创建模块特定存储库工厂的子类并覆盖 |