小编典典

Spring Boot Actuator是否有Java API?

spring-boot

我们自定义Spring Boot Actuator
Info端点,以包括在我们的Jenkins构建期间生成的应用程序版本号。我们正在使用gradle来做到这一点:

if (project.hasProperty('BUILD_NUMBER')) {
    version = "${BUILD_NUMBER}"
} else {
    version = "0.0.1-SNAPSHOT"
}

这对于将版本添加到/ info端点非常有用,但是我想在应用程序启动时访问它并将其打印到应用程序日志中。

我希望这些值通过某些属性值(类似于spring.profiles.active)或通过Java API 公开。这样,我可以做这样的事情:

    public class MyApplication{

    public static void main(String[] args) throws Exception {
        SpringApplication.run(MyApplication.class, args);

        ConfigurableEnvironment environment = applicationContext.getEnvironment();

System.out.println(environment.getProperty("spring.fancy.path.to.info.version"));
    }
}

浏览文档时,我找不到在代码中轻松访问这些值的方法。有人有幸吗?


阅读 308

收藏
2020-05-30

共1个答案

小编典典

要获得通过REST端点公开的执行器端点的属性完全相同,可以在一个类中注入相应端点类的实例。在您的情况下,“正确的”端点类将是InfoEndpoint。对于度量标准,运行状况等,有类似的端点类。

在Spring Boot 1.5.x和Spring Boot
2.x之间,界面有所变化。因此,确切的完全合格的类名称或读取方法名称可能会根据所使用的Spring Boot版本而有所不同。在Boot
1.5.x中,您可以在org.springframework.boot.actuate.endpoint程序包中找到大多数端点。

大致来说,这就是您可以构建一个简单的组件来读取version属性的方法(假设info端点内的属性名称只是build.version):

@Component
public class VersionAccessor {
    private final InfoEndpoint endpoint;

    @Autowired
    public VersionAccessor(InfoEndpoint endpoint) {
        this.endpoint = endpoint;
    }

    public String getVersion() {
        // Spring Boot 2.x
        return String.valueOf(getValueFromMap(endpoint.info()));

        // Spring Boot 1.x
        return String.valueOf(getValueFromMap(endpoint.invoke()));
    }

    // the info returned from the endpoint may contain nested maps
    // the exact steps for retrieving the right value depends on 
    // the exact property name(s). Here, we assume that we are 
    // interested in the build.version property
    private Object getValueFromMap(Map<String, Object> info) {
        return ((Map<String, Object>) info.get("build")).get("version");
    }

}
2020-05-30