有一种稍微修改过的解决方案,它不需要额外的接口。
正如文档中所描述的那样,Impl后缀允许我们有这样一个干净的解决方案:
在你常规的@Repository接口中定义自定义方法,比如MyEntityRepository(除了Spring Data方法之外)
在任何地方创建一个只实现自定义方法的类MyEntityRepositoryImpl (Impl后缀很神奇)(甚至不需要在同一个包中),并使用@Component**注释这个类(@Repository将不起作用)。
这个类甚至可以通过@Autowired注入MyEntityRepository用于自定义方法。
例子:
实体类(为完整起见):
package myapp.domain.myentity;
@Entity
public class MyEntity {
@Id private Long id;
@Column private String comment;
}
库接口:
package myapp.domain.myentity;
@Repository
public interface MyEntityRepository extends JpaRepository<MyEntity, Long> {
// EXAMPLE SPRING DATA METHOD
List<MyEntity> findByCommentEndsWith(String x);
List<MyEntity> doSomeHql(Long id); // custom method, code at *Impl class below
List<MyEntity> useTheRepo(Long id); // custom method, code at *Impl class below
}
自定义方法实现bean:
package myapp.infrastructure.myentity;
@Component // Must be @Component !!
public class MyEntityRepositoryImpl { // must have the exact repo name + Impl !!
@PersistenceContext
private EntityManager entityManager;
@Autowired
private MyEntityRepository myEntityRepository;
@SuppressWarnings("unused")
public List<MyEntity> doSomeHql(Long id) {
String hql = "SELECT eFROM MyEntity e WHERE e.id = :id";
TypedQuery<MyEntity> query = entityManager.createQuery(hql, MyEntity.class);
query.setParameter("id", id);
return query.getResultList();
}
@SuppressWarnings("unused")
public List<MyEntity> useTheRepo(Long id) {
List<MyEntity> es = doSomeHql(id);
es.addAll(myEntityRepository.findByCommentEndsWith("DO"));
es.add(myEntityRepository.findById(2L).get());
return es;
}
}
用法:
// You just autowire the the MyEntityRepository as usual
// (the Impl class is just impl detail, the clients don't even know about it)
@Service
public class SomeService {
@Autowired
private MyEntityRepository myEntityRepository;
public void someMethod(String x, long y) {
// call any method as usual
myEntityRepository.findByCommentEndsWith(x);
myEntityRepository.doSomeHql(y);
}
}
仅此而已,除了已经拥有的Spring Data回购接口之外,不需要任何接口。
我发现的唯一可能的缺点是:
Impl类中的自定义方法被编译器标记为未使用,因此会出现@SuppressWarnings("unused")建议。
您有一个Impl类的限制。(然而在常规的片段接口实现中,文档建议你可以有很多。)
如果您将Impl类放在不同的包中,并且您的测试只使用@DataJpaTest,那么您必须将@ComponentScan("package.of.the. Impl .clazz")添加到您的测试中,以便Spring加载它。