所以,spring-data
做一些额外的魔法来帮助复杂的查询。一开始很奇怪,您在文档中完全跳过了它,但它确实强大且有用。
它涉及创建一个自定义Repository
和一个自定义的“RepositoryImpl”,并告诉 Spring 在哪里可以找到它。这是一个例子:
配置类 -指向您仍然需要的 xml 配置,注释指向您的存储库包(它*Impl
现在自动查找类):
@Configuration
@EnableJpaRepositories(basePackages = {"com.examples.repositories"})
@EnableTransactionManagement
public class MyConfiguration {
}
jpa-repositories.xml - 告诉Spring
在哪里可以找到你的存储库。还告诉Spring
寻找具有CustomImpl
文件名的自定义存储库:
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:jpa="http://www.springframework.org/schema/data/jpa"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:util="http://www.springframework.org/schema/util"
xsi:schemaLocation="http://www.springframework.org/schema/data/mongo http://www.springframework.org/schema/data/jpa/spring-jpa.xsd
http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd
http://www.springframework.org/schema/util http://www.springframework.org/schema/util/spring-util.xsd">
<jpa:repositories base-package="com.example.repositories" repository-impl-postfix="CustomImpl" />
</beans>
MyObjectRepository
- 这是您可以放置带注释和未注释查询方法的地方。请注意此存储库接口如何扩展该存储库接口Custom
:
@Transactional
public interface MyObjectRepository extends JpaRepository<MyObject, Integer>, MyObjectRepositoryCustom {
List<MyObject> findByName(String name);
@Query("select * from my_object where name = ?0 or middle_name = ?0")
List<MyObject> findByFirstNameOrMiddleName(String name);
}
MyObjectRepositoryCustom
- 更复杂且无法通过简单查询或注释处理的存储库方法:
public interface MyObjectRepositoryCustom {
List<MyObject> findByNameWithWeirdOrdering(String name);
}
MyObjectRepositoryCustomImpl
- 您实际使用 autowired 实现这些方法的地方EntityManager
:
public class MyObjectRepositoryCustomImpl implements MyObjectRepositoryCustom {
@Autowired
private EntityManager entityManager;
public final List<MyObject> findByNameWithWeirdOrdering(String name) {
Query query = query(where("name").is(name));
query.sort().on("whatever", Order.ASC);
return entityManager.find(query, MyObject.class);
}
}
令人惊讶的是,这一切都结合在一起,并且来自两个接口(以及您实现的 CRUD 接口)的方法都会在您这样做时出现:
myObjectRepository.
你会看见:
myObjectRepository.save()
myObjectRepository.findAll()
myObjectRepository.findByName()
myObjectRepository.findByFirstNameOrMiddleName()
myObjectRepository.findByNameWithWeirdOrdering()
它确实有效。您将获得一个查询界面。spring-data
真的已经为大型应用程序做好了准备。而且,您可以推入简单或注释的查询越多,您的处境就越好。
所有这些都记录在Spring Data Jpa 站点上。
祝你好运。