0

只需遵循 Spring Guides http://spring.io/guides#gs我采取gs-rest-servicegs-accessing-data-jpa. 现在我想将它们组合到一个应用程序中,这就是org.springframework.boot.SpringApplication需要更多地了解新的地方。

gs-rest-service配置中看起来很棒,几乎不存在

@ComponentScan
@EnableAutoConfiguration
public class Application {

    public static void main(String[] args) {
        SpringApplication.run(Application.class, args);
    }
}

gs-accessing-data-jpa更像是基于 Spring XML JavaConfig 的应用程序。

@Configuration
@EnableJpaRepositories
public class CopyOfApplication {

    @Bean
    public DataSource dataSource() {
        return new EmbeddedDatabaseBuilder().setType(H2).build();
    }

   // 2 other beans...

    @Bean
    public PlatformTransactionManager transactionManager() {
        return new JpaTransactionManager();
    }


    public static void main(String[] args) {
        AbstractApplicationContext context = new AnnotationConfigApplicationContext(CopyOfApplication.class);
        CustomerRepository repository = context.getBean(CustomerRepository.class);

        //...
    }

}

如何将它们结合起来?

这是否意味着我SpringApplication.run现在需要在更详细的层面上重新编写?

4

1 回答 1

2

在 Spring Boot 应用程序中,只需添加 JPA 示例中的依赖项(您还没有的依赖项。

dependencies {
    compile("org.springframework.boot:spring-boot-starter-web:0.5.0.M7")
    compile("org.springframework:spring-orm:4.0.0.RC1")
    compile("org.springframework.data:spring-data-jpa:1.4.1.RELEASE")
    compile("org.hibernate:hibernate-entitymanager:4.2.1.Final")
    compile("com.h2database:h2:1.3.172")
    testCompile("junit:junit:4.11")
}

或者,您也可以使用Spring Data JPA的spring boot starter 项目来代替这个。在这种情况下,依赖项将如下所示。

dependencies {
    compile("org.springframework.boot:spring-boot-starter-web:0.5.0.M7")
    compile("org.springframework.boot:spring-boot-starter-data-jpa:0.5.0.M7")
    compile("com.h2database:h2:1.3.172")
    testCompile("junit:junit:4.11")
}

这将引入所有需要的依赖项。

接下来复制CustomerRepository到 Spring Boot 应用程序。这基本上应该是你需要的一切。Spring Boot 自动配置现在检测 Spring Data JPA 和 JPA 并将引导休眠,为您提供 spring 数据。

@ComponentScan
@EnableAutoConfiguration
public class Application {

    public static void main(String[] args) {
        ApplicationContext context= SpringApplication.run(Application.class, args);
        CustomerRepository repository = context.getBean(CustomerRepository.class);
        //...
    }
}
于 2014-01-10T12:25:45.280 回答