从Spring 5开始,我们可以选择使用多个片段存储库来丰富我们的JPA存储库。
该机制非常简单:先声明然后实现一个接口。
public interface CustomItemRepository {
Item findItemById(Long id);
}
public class CustomItemRepositoryImpl implements CustomItemRepository {
Item findItemById(Long id) {
// retrieve the item
}
}
然后,像这样使用它:
public interface ItemRepository
extends JpaRepository<Item, Long>, CustomItemRepository {
}
现在,假设我要设置一些查询提示和/或实体图,如下所示:
public interface CustomItemRepository {
@QueryHints(value = { @QueryHint(name = "name", value = "value")},
forCounting = false)
@EntityGraph(value = "Item.characteristics")
Item findItemById(Long id);
}
由于我有一个自定义实现,因此在JpaRepository
方法上运行良好的上述查询提示和实体图在此处将被忽略。
我的问题是:
如何将方法的元数据应用于基础查询?
答案 0 :(得分:1)
您要问的内容无法使用注释进行工作,因为它们旨在与Spring提供实现的存储库方法一起使用。对于自定义方法,Spring有时会忽略它-由于您的自定义代码负责构建,配置和执行查询,因此Spring无法神奇地干预过程并注入查询提示。本质上,如果您想为自定义查询方法提供两组不同的提示,则需要两种不同的实现。
但是,您可以尝试的是一种类似这种模板方法的模式:
public interface CustomRepository<T,K> {
T findByIdCustom(K id);
Map<String, Object> getHintsForFindByIdCustom();
// you'll probably need a default implementation for getHintsForFindByIdCustom here, unless it's possible to make CustomRepositoryImpl abstract - not sure how Spring Data will behave in this case
}
public class CustomRepositoryImpl<T, K> implements CustomRepository<T,K> {
T findByIdCustom(K id) {
TypedQuery<T> query= em.createQuery("...");
getHintsForFindByIdCustom().forEach((key, value) -> query.setHint(key, value));
return query.getResultList().iterator().next();
}
}
public interface ItemRepository extends JpaRepository<Item, Long>, CustomRepository<Item, Long>{
default Map<String, Object> getHintsForFindByIdCustom() {
return Map.of("name", "value");
}
}
public interface UserRepository extends JpaRepository<User, Long>, CustomRepository<User, Long>{
default Map<String, Object> getHintsForFindByIdCustom() {
return Map.of("name", "some-other-value");
}
}
请注意,我没有尝试上面的代码。如果不起作用,那么您可以为每个实体类的CustomRepositoryImpl
尝试单独的实现。