此版本仍在开发中,尚未被视为稳定版本。对于最新的稳定版本,请使用 Spring Data JPA 3.4.0! |
开始
引导设置工作环境的一种简单方法是通过 start.spring.io 创建基于 Spring 的项目,或者在 Spring Tools 中创建 Spring 项目。
示例存储库
GitHub spring-data-examples 存储库包含几个示例,您可以下载并试用这些示例,以了解该库的工作原理。
世界您好
让我们从一个简单的实体及其相应的存储库开始:
@Entity
class Person {
@Id @GeneratedValue(strategy = GenerationType.AUTO)
private Long id;
private String name;
// getters and setters omitted for brevity
}
interface PersonRepository extends Repository<Person, Long> {
Person save(Person person);
Optional<Person> findById(long id);
}
创建要运行的主应用程序,如下例所示:
@SpringBootApplication
public class DemoApplication {
public static void main(String[] args) {
SpringApplication.run(DemoApplication.class, args);
}
@Bean
CommandLineRunner runner(PersonRepository repository) {
return args -> {
Person person = new Person();
person.setName("John");
repository.save(person);
Person saved = repository.findById(person.getId()).orElseThrow(NoSuchElementException::new);
};
}
}
即使在这个简单的示例中,也有一些值得注意的事情需要指出:
-
存储库实例会自动实现。 当用作方法的参数时,这些将被自动装配,而无需进一步的注释。
@Bean
-
基本存储库扩展了 。 我们建议考虑要向应用程序公开多少 API 表面。 更复杂的存储库接口是 或 。
Repository
ListCrudRepository
JpaRepository