使用Querydsl和Spring Data时的最佳实践

时间:2015-08-19 07:20:58

标签: spring spring-data spring-data-jpa querydsl

使用Spring Data nad Querydsl我们可以声明存储库接口并跳过实现类。一些具有特定名称或使用@Query注释的方法,并且全部都是。

但有时候我想自己使用JPAQuery并定义方法体,让我们说

@Repository
public class MyRepositoryImpl implements MyRepository {

    @PersistenceContext
    private EntityManager em;

    @Override
    public List<Tuple> someMethod(String arg) {
        JPAQuery query = new JPAQuery(em);
        ...
    }

但这样我就必须实现其他MyRepository接口方法,这会破坏Spring Data的所有优势!

我可以看到两个选项:

  • 为每个存储库声明另一个接口,然后通常实现它(接口数量增加一倍)
  • 将EntityManager注入@Service类并在那里实现我的自定义方法

我更喜欢选项#2,但据我所知,在@Service类中我们应该只调用存储库方法,所以它也不是一个完美的解决方案。

那么程序员如何处理呢?

2 个答案:

答案 0 :(得分:12)

您不应该实现实际的Spring Data存储库,而是必须声明另一个自定义接口,您可以在其中放置自定义方法。

我们假设您有MyRepository,定义为

@Repository
public interface MyRepository extends JpaRepository<Tuple, Long> {}

现在您要添加自定义findTuplesByMyArg(),为了您的目的,您需要创建自定义存储库接口

public interface MyRepositoryCustom {
   List<Tuple> findTuplesByMyArg(String myArg);
}

之后是自定义界面的实现

public class MyRepositoryImpl implements MyRepositoryCustom {
    @PersistenceContext
    private EntityManager em;

    @Override
    public List<Tuple> findTuplesByMyArg(String myArg) {
        JPAQuery query = new JPAQuery(em);
        ...
    }    
}

我们需要更改MyRepository声明,因此它会扩展自定义存储库,以便

@Repository
public interface MyRepository extends JpaRepository<Tuple, Long>, MyRepositoryCustom {}

您可以通过注入findTuplesByMyArg()轻松访问MyRepository,例如

@Service
public class MyService {
   @Autowired
   private MyRepository myRepository;

   public List<Tuple> retrieveTuples(String myArg) { 
      return myRepository.findTuplesByMyArg(myArg);
   }
}

注意名称在这里很重要(你需要在repo实现中默认配置Impl后缀。)

您可以找到所有需要的信息here

答案 1 :(得分:3)

我建议对上面的答案进行一个小的修正,试图使用JPAQueryFactory。最好使用提供的工厂类。

public class MyRepositoryImpl implements MyRepositoryCustom {
@Autowired
private JPAQueryFactory factory;

@Override
public List<Tuple> findTuplesByMyArg(String myArg) {
    JPAQuery query = factory.query();
    ...
}}

@Configuration
public class Config {

@Autowired
private EntityManager em;

@Bean
public JPAQueryFactory jpaQueryFactory() {
      return new JPAQueryFactory(em);
}

}