小编典典

如何在Spring Boot应用程序启动时启动H2 TCP服务器?

spring-boot

通过将以下行添加到SpringBootServletInitializer主方法中,可以在将应用程序作为Spring Boot应用程序运行时启动H2
TCP服务器(文件中的数据库):

@SpringBootApplication
public class NatiaApplication extends SpringBootServletInitializer {
    public static void main(String[] args) {
        Server.createTcpServer().start();
        SpringApplication.run(NatiaApplication.class, args);
    }
}

但是,如果我在Tomcat上运行WAR文件,则该文件将不起作用,因为未调用main方法。有没有更好的通用方法,如何在初始化bean之前在应用程序启动时启动H2
TCP服务器?我使用Flyway(autoconfig),它在“连接被拒绝:连接”失败,可能是因为服务器未运行。谢谢。


阅读 768

收藏
2020-05-30

共1个答案

小编典典

这个解决方案对我有用。如果该应用程序作为Spring
Boot应用程序运行,并且在Tomcat上运行,它将启动H2服务器。将H2服务器创建为Bean无效,因为Flyway
Bean是较早创建的,并且在“连接被拒绝”时失败。

@SpringBootApplication
@Log
public class NatiaApplication extends SpringBootServletInitializer {

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

    @Override
    protected SpringApplicationBuilder configure(SpringApplicationBuilder application) {
        startH2Server();
        return application.sources(NatiaApplication.class);
    }

    private static void startH2Server() {
        try {
            Server h2Server = Server.createTcpServer().start();
            if (h2Server.isRunning(true)) {
                log.info("H2 server was started and is running.");
            } else {
                throw new RuntimeException("Could not start H2 server.");
            }
        } catch (SQLException e) {
            throw new RuntimeException("Failed to start H2 server: ", e);
        }
    }
}
2020-05-30