0

我的要求是:我必须创建一个 AccountRepository 接口,并且我必须在我的 AccountRepositoryImpl 本身中实现所有方法,那么我该怎么做呢?

例子:

1) 接口

/* this is the interface */  
public interface AccountRepository extends JpaRepository
{
    List<Account> getAllAccounts();
}

2)实施?

public class AccountRepositoryImpl implements AccountRepository
{
    public List<Account> getAllAccounts() {
        // now what?
    }
}
4

1 回答 1

18

Spring Data 的重点是您实现存储库。反正通常不会。相反,典型的用法是您提供一个接口,然后 Spring 注入一些您从未见过的实现。

通过扩展org.springframework.data.repository.CrudRepository. 该接口为您提供方法名称。

然后在某些情况下,您可以编写方法签名以便 Spring Data 知道要获取什么(如果您知道 Grails,则在概念上类似于 GORM),这称为“通过方法名称创建查询”。您可以像这样在界面中创建一个方法(从 spring data jpa 文档中复制一个示例):

List<Person> findByLastnameAndFirstnameAllIgnoreCase(
    String lastname, String firstname);

Spring Data 将从名称中找出您需要的查询。

最后,为了处理复杂的情况,您可以提供一个查询注释来指定您要使用的 JPQL。

因此,每个实体(实际上是每个聚合根)都有不同的存储库接口。您想要执行基本 CRUD 但也有您想要执行的特殊查询的 Account 实体的存储库可能看起来像

// crud methods for Account entity, where Account's PK is 
// an artificial key of type Long
public interface AccountRepository extends CrudRepository<Account, Long> {
    @Query("select a from Account as a " 
    + "where a.flag = true " 
    + "and a.customer = :customer")
    List<Account> findAccountsWithFlagSetByCustomer(
        @Param("customer") Customer customer);
}

你就完成了,不需要实现类。(大部分工作是编写查询并将正确的注释放在持久实体上。您必须将存储库连接到您的 spring 配置中。)

于 2013-03-22T14:57:31.303 回答