Getting Started

引导设置一个工作环境的简单方法是通过 start.spring.io 创建一个基于 Spring 的项目,或者在 Spring Tools 中创建一个 Spring 项目。

Examples Repository

GitHub spring-data-examples repository 托管了多个示例,您可以下载和试用它们来了解库的工作原理。

Hello World

让我们从一个简单的实体及其对应的存储库开始:

@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 方法的参数时,这些方法会自动装配,无需进一步注释。

  • 基本存储库扩展 Repository。我们建议考虑您希望向应用程序公开多少 API 面。更复杂的存储库接口是 ListCrudRepositoryJpaRepository