查询方法

标准的CRUD(增删改查)功能都要使用查询语句来查询数据库。但通过使用Spring Data,只要四个步骤就可以实现。

1.声明一个继承Repository接口或其子接口的持久层接口。并标明要处理的域对象类型及其主键的类型(在下面的例子中,要处理的域对象是Person,其主键类型是Long)

  1. interface PersonRepository extends Repository<Person, Long> {...}

2.在接口中声明查询方法(spring会为其生成实现代码)

  1. interface PersonRepository extends Repository<Person, Long> {
  2. List<Person> findByLastname(String lastname);
  3. }

3.让Spring创建对这些接口的代理实例。
通过JavaConfig

  1. import org.springframework.data.jpa.repository.config.EnableJpaRepositories;
  2. @EnableJpaRepositories
  3. class Config {}

通过XML配置

  1. <?xml version="1.0" encoding="UTF-8"?>
  2. <beans xmlns="http://www.springframework.org/schema/beans"
  3. xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
  4. xmlns:jpa="http://www.springframework.org/schema/data/jpa"
  5. xsi:schemaLocation="http://www.springframework.org/schema/beans
  6. http://www.springframework.org/schema/beans/spring-beans.xsd
  7. http://www.springframework.org/schema/data/jpa
  8. http://www.springframework.org/schema/data/jpa/spring-jpa.xsd">
  9. <jpa:repositories base-package="com.acme.repositories"/>
  10. </beans>

这里使用JPA的命名空间作为例子,需要根据实际使用的模块更改命名空间,比如可以改为mongodb等等。需要注意的是,在使用JavaConfig时,如果需要自定义扫描的包而不是使用其默认值,可以利用注解@EnableJpaRepositories的basePackage属性。具体使用方式如下:

  1. @EnableJpaRepositories(basePackages = "com.cshtong")//单个包
  2. @EnableJpaRepositories(basePackages = {"com.cshtong.sample.repository", "com.cshtong.tower.repository"})//多个包路径

4.注入repository实例,并使用

  1. public class SomeClient {
  2. @Autowired
  3. private PersonRepository repository;
  4. public void doSomething() {
  5. List<Person> persons = repository.findByLastname("Matthews");
  6. }
  7. }

这一部分会在之后详细解释