此版本仍在开发中,尚未被视为稳定版本。对于最新的稳定版本,请使用 Spring Data Commons 3.3.4! |
此版本仍在开发中,尚未被视为稳定版本。对于最新的稳定版本,请使用 Spring Data Commons 3.3.4! |
Spring Data 存储库抽象中的中心接口是 。
它需要 domain 类来管理,并将 domain 类的标识符类型作为类型参数。
此接口主要用作标记接口,用于捕获要使用的类型,并帮助您发现扩展此接口的接口。
CrudRepository
和 ListCrudRepository
接口为正在管理的实体类提供复杂的 CRUD 功能。Repository
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 的实体。 |
1 | 保存给定的实体。 |
2 | 返回由给定 ID 标识的实体。 |
3 | 返回所有实体。 |
4 | 返回实体数。 |
5 | 删除给定的实体。 |
6 | 指示是否存在具有给定 ID 的实体。 |
此接口中声明的方法通常称为 CRUD 方法。 提供等效的方法,但它们返回的方法返回 .ListCrudRepository
List
CrudRepository
Iterable
我们还提供特定于持久性技术的抽象,例如 或 。
这些接口扩展并公开了底层持久化技术的功能,以及相当通用的与持久化技术无关的接口,例如。JpaRepository MongoRepository CrudRepository CrudRepository |
我们还提供特定于持久性技术的抽象,例如 或 。
这些接口扩展并公开了底层持久化技术的功能,以及相当通用的与持久化技术无关的接口,例如。JpaRepository MongoRepository CrudRepository CrudRepository |
除了 之外,还有 PagingAndSortingRepository
和 ListPagingAndSortingRepository
,它们添加了其他方法来简化对实体的分页访问:CrudRepository
PagingAndSortingRepository
接口public interface PagingAndSortingRepository<T, ID> {
Iterable<T> findAll(Sort sort);
Page<T> findAll(Pageable pageable);
}
扩展接口以实际 store 模块支持为准。 虽然本文档解释了一般方案,但请确保您的 store 模块支持您要使用的接口。 |
扩展接口以实际 store 模块支持为准。 虽然本文档解释了一般方案,但请确保您的 store 模块支持您要使用的接口。 |
要按页面大小 20 访问第二个页面,您可以执行以下操作:User
PagingAndSortingRepository<User, Long> repository = // … get access to a bean
Page<User> users = repository.findAll(PageRequest.of(1, 20));
ListPagingAndSortingRepository
提供等效方法,但返回 a,其中方法返回 .List
PagingAndSortingRepository
Iterable
除了查询方法之外,还可以使用 count 和 delete 查询的查询派生。 以下列表显示了派生计数查询的接口定义:
派生计数查询
interface UserRepository extends CrudRepository<User, Long> {
long countByLastname(String lastname);
}
下面的清单显示了派生的 delete 查询的接口定义:
派生的删除查询
interface UserRepository extends CrudRepository<User, Long> {
long deleteByLastname(String lastname);
List<User> removeByLastname(String lastname);
}