Отображение нескольких методов HTTP для маршрута здоровья весеннего лиса в чванстве

Я использую здоровье привода пружинного башмака с пружинным чванством в проекте пружинного башмака. Я использую ниже в моем классе Application.java.

@Autowired
private HealthAggregator healthAggregator;

@Autowired
private Map<String, HealthIndicator> healthIndicators;

@Bean
public com.health.TestMeHealthEndpoint getHealthEndpoint() {
    return new com.health.TestMeHealthEndpoint(healthAggregator, healthIndicators);
}

@Bean
public Docket testMeApi() {
    return new Docket(DocumentationType.SWAGGER_2).useDefaultResponseMessages(false).apiInfo(apiInfo()).select()
            .paths(testMePaths()).build();
}

private Predicate<String> testMePaths() {
    return or(regex("/api/myservice1"), regex("/health"));
}

Но когда я проверяю пользовательский интерфейс swagger, я вижу несколько конечных точек работоспособности со всеми типами http-методов, включая POST,DELETE, OPTIONS и т. Д. Для myservice1, который реализован в контроллере REST, он отображает только метод GET.

TestMeHealthEndpoint расширяет AbstractEndpoint и метод вызова overide с пользовательской информацией о работоспособности.

Я только хочу увидеть, является ли метод GET для маршрута здоровья?

Добавьте источник TestMeHealthEndpoint:

@ConfigurationProperties(prefix = "endpoints.health", ignoreUnknownFields = true)
public class TestMeHealthEndpoint  extends AbstractEndpoint<Health> {

  //Some getter and setters for api name , version etc

  public TestMeHealthEndpoint (final HealthAggregator healthAggregator,
            final Map<String, HealthIndicator> healthIndicators) {
        super("health", false);
        final CompositeHealthIndicator healthIndicator = new CompositeHealthIndicator(healthAggregator);
        for (final Map.Entry<String, HealthIndicator> entry : healthIndicators.entrySet()) {
            healthIndicator.addHealthIndicator(getKey(entry.getKey()), entry.getValue());
        }
        this.healthIndicator = healthIndicator;
    }

  @Override
    public Health invoke() {
        final Health health = new Health();
        health.setStatus(this.healthIndicator.health().getStatus().getCode());
        health.setName(this.apiName);
        health.setVersion(this.apiVersion);
        final UriComponentsBuilder path = ServletUriComponentsBuilder.fromCurrentServletMapping()
                .path(this.managementContextPath).pathSegment(this.getId());
        health.add(new Link(path.build().toUriString()).withSelfRel());
        return health;
    }
}

2 ответа

Я хотел бы предложить вам небольшой обходной путь. Создать контроллер покоя, который будет делегировать запросы конечной точке работоспособности. Что-то вроде этого:

@RestController
public class HealthController {

    @Autowired
    TestMeHealthEndpoint testMeHealthEndpoint;

    @ApiOperation(value="Health endpoint", notes = "Health endpoint")
    @RequestMapping(value = "/health", method = RequestMethod.GET, produces = MediaType.APPLICATION_JSON_UTF8_VALUE, consumes = MediaType.APPLICATION_JSON_UTF8_VALUE)
    @ApiResponses(value = {@ApiResponse(code = 200, message = "OK")})
    public ResponseEntity<Health> invoke() {
        return ResponseEntity.ok(testMeHealthEndpoint.invoke());
    }
}

Таким образом, вы также можете использовать следующую директиву для swagger:

.select().apis(RequestHandlerSelectors.withMethodAnnotation(ApiOperation.class))

Swagger предполагает, что если нет @RequestMapping метод установлен, любой метод в порядке. добавлять method = RequestMethod.GET на ваш RequestMapping фигурные скобки (),

Если вы добавите @Bean типа Endpoint, он будет автоматически отображаться через JMX и HTTP (если сервер доступен). Конечные точки HTTP могут быть дополнительно настроены путем создания bean-компонента типа MvcEndpoint. Ваш MvcEndpoint не является @Controller, но он может использовать @RequestMapping (и @Managed*) для предоставления ресурсов.

http://docs.spring.io/spring-boot/docs/current/reference/html/production-ready-endpoints.html

Другие вопросы по тегам