HTTP сервер
Модуль предоставляет тонкий слой абстракции над библиотеками HTTP-сервера для создания обработчиков HTTP-запросов с помощью аннотаций в декларативном стиле, так и в императивном стиле.
Подключение¶
Реализация основанная на Undertow.
Зависимость build.gradle
:
Модуль:
Зависимость build.gradle.kts
:
Модуль:
Конфигурация¶
Пример полной конфигурации, описанной в классе HttpServerConfig
(указаны примеры значений или значения по умолчанию):
httpServer {
publicApiHttpPort = 8080
privateApiHttpPort = 8085
privateApiHttpMetricsPath = "/metrics"
privateApiHttpReadinessPath = "/system/readiness"
privateApiHttpLivenessPath = "/system/liveness"
ignoreTrailingSlash = false
ioThreads = 2
blockingThreads = 2
shutdownWait = "30s"
threadKeepAliveTimeout = "60s"
socketReadTimeout = "0s"
socketWriteTimeout = "0s"
socketKeepAliveEnabled = false
telemetry {
logging {
enabled = false
stacktrace = true
mask = "***"
maskQueries = [ ]
maskHeaders = [ "authorization" ]
pathTemplate = true
}
metrics {
enabled = true
slo = [ 1, 10, 50, 100, 200, 500, 1000, 2000, 5000, 10000, 20000, 30000, 60000, 90000 ]
}
tracing {
enabled = true
}
}
}
httpServer:
publicApiHttpPort: 8080
privateApiHttpPort: 8085
privateApiHttpMetricsPath: "/metrics"
privateApiHttpReadinessPath: "/system/readiness"
privateApiHttpLivenessPath: "/system/liveness"
ignoreTrailingSlash: false
ioThreads: 2
blockingThreads: 2
shutdownWait: "30s"
threadKeepAliveTimeout: "60s"
socketReadTimeout: "0s"
socketWriteTimeout: "0s"
socketKeepAliveEnabled: false
telemetry:
logging:
enabled: false
stacktrace: true
mask: "***"
maskQueries: [ ]
maskHeaders: [ "authorization" ]
pathTemplate: true
metrics:
enabled: true
slo: [ 1, 10, 50, 100, 200, 500, 1000, 2000, 5000, 10000, 20000, 30000, 60000, 90000 ]
telemetry:
enabled: true
Контроллер декларативный¶
Для создания контроллера следует использовать @HttpController
аннотацию, а для его регистрации как зависимость @Component
.
Аннотация @HttpRoute
отвечает за указания пути и метода HTTP для конкретного метода обработчика.
Запрос¶
Секция описывает преобразования HTTP-запроса у контроллера. Предлагается использовать специальные аннотации для указания параметров запроса.
Параметр пути¶
@Path
— обозначает значение части пути запроса, сам параметр указывается в {кавычках}
в пути
и имя параметра указывается в value
либо по умолчанию равно имени аргумента метода.
Параметр запроса¶
@Query
— значение параметра запроса, имя параметра указывается в value
либо по умолчанию равно имени аргумента метода.
Заголовок запроса¶
@Header
— значение заголовка запроса, имя параметра указывается в value
либо по умолчанию равно имени аргумента метода.
Тело запроса¶
Для указания тела запроса требуется использовать аргумент метода без специальных аннотации,
по умолчанию поддерживаются такие типы как byte[]
, ByteBuffer
, String
.
Json¶
Для указания, что тело является Json и ему требуется автоматически создать такой читатель и внедрить его,
требуется использовать аннотацию @Json
:
Требуется подключить модуль Json.
Текстовая форма¶
Можно использовать FormUrlEncoded
как тип аргумента тела форма данных.
Бинарная форма¶
Можно использовать FormMultipart
как тип аргумента тела бинарная форма.
Куки¶
@Cookie
— значение Cookie, имя параметра указывается в value
либо по умолчанию равно имени аргумента метода.
Самописный параметр¶
В случае если требуется обрабатывать запрос отличным способом, то можно использовать специальный интерфейс HttpServerRequestMapper
:
@Component
@HttpController
public final class SomeController {
public record UserContext(String userId, String traceId) {}
public static final class RequestMapper implements HttpServerRequestMapper<UserContext> {
@Override
public UserContext apply(HttpServerRequest request) {
return new UserContext(request.headers().getFirst("x-user-id"), request.headers().getFirst("x-trace-id"));
}
}
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
public String get(@Mapping(RequestMapper.class) UserContext context) {
return "Hello World";
}
}
@Component
@HttpController
class MapperRequestController {
data class UserContext(val userId: String, val traceId: String)
class RequestMapper : HttpServerRequestMapper<UserContext> {
override fun apply(request: HttpServerRequest): UserContext {
return UserContext(
request.headers().getFirst("x-user-id"),
request.headers().getFirst("x-trace-id")
)
}
}
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
@Mapping(RequestMapper::class)
operator fun get(@Mapping(RequestMapper::class) context: UserContext): String {
return "Hello World"
}
}
Обязательные параметры¶
По умолчанию все аргументы объявленные в методе являются обязательными (NotNull).
По умолчанию все аргументы объявленные в методе которые не используют Kotlin Nullability синтаксис считаются обязательными (NotNull).
Необязательные параметры¶
В случае если аргумент метода является необязательным, то есть может отсутствовать то,
можно использовать аннотацию @Nullable
:
@Component
@HttpController
public final class SomeController {
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
public String helloWorld(@Nullable @Query("queryName") String queryValue) {
return "Hello World";
}
}
Предполагается использовать Kotlin Nullability синтаксис и помечать такой параметр как Nullable:
Ответ¶
По умолчанию можно использовать стандартные типы возвращаемых значений,
такие как byte[]
, ByteBuffer
, String
которые будут обработаны со статус кодом 200
и соответствующим заголовком типа ответа
либо HttpServerResponse
где надо будет самостоятельно заполнить всю информацию об HTTP ответе.
Json¶
В случае если предполагается отвечать в формате Json, то требуется использовать аннотацию @Json
над методом:
Требуется подключить модуль Json.
Сущность ответа¶
Если предполагается читать тело и получить также заголовки и статус код ответа,
то предполагается использовать HttpResponseEntity
, это обертка над телом ответа.
Ниже показан пример аналогичный примеру Json вместе с оберткой HttpResponseEntity
:
@Component
@HttpController
public final class SomeController {
public record Response(String greeting) {}
@Json
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
public HttpResponseEntity<Response> helloWorld() {
return HttpResponseEntity.of(200, HttpHeaders.of("myHeader", "12345"), new Response("Hello World"));
}
}
@Component
@HttpController
class SomeController {
data class Response(val greeting: String)
@Json
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
fun helloWorld(): HttpResponseEntity<Response> {
return HttpResponseEntity.of(200, HttpHeaders.of("myHeader", "12345"), Response("Hello World"));
}
}
Ответ исключение¶
Если требуется отвечать ошибкой, то можно использовать HttpServerResponseException
для того чтобы бросать исключение.
Самописное¶
В случае если требуется чтение ответа отличным способом, то можно использовать специальный интерфейс HttpServerResponseMapper
:
@Component
@HttpController
public final class SomeController {
public record HelloWorldResponse(String greeting, String name) {}
public static final class ResponseMapper implements HttpServerResponseMapper<HelloWorldResponse> {
@Override
public HttpServerResponse apply(Context ctx, HttpServerRequest request, HelloWorldResponse result) {
return HttpServerResponse.of(200, HttpBody.plaintext(result.greeting() + " - " + result.name()));
}
}
@Mapping(ResponseMapper.class)
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
public HelloWorldResponse helloWorld() {
return new HelloWorldResponse("Hello World", "Bob");
}
}
@Component
@HttpController
class SomeController {
data class HelloWorldResponse(val greeting: String, val name: String)
class ResponseMapper : HttpServerResponseMapper<HelloWorldResponse> {
fun apply(ctx: Context, request: HttpServerRequest, result: HelloWorldResponse): HttpServerResponse {
return HttpServerResponse.of(200, HttpBody.plaintext(result.greeting + " - " + result.name))
}
}
@Mapping(ResponseMapper::class)
@HttpRoute(method = HttpMethod.POST, path = "/hello/world")
fun helloWorld(): HelloWorldResponse {
return HelloWorldResponse("Hello World", "Bob")
}
}
Сигнатуры¶
Доступные сигнатуры для методов декларативного HTTP обработчика из коробки:
Под T
подразумевается тип возвращаемого значения, либо Void
.
T myMethod()
CompletionStage<T> myMethod()
CompletionStageMono<T> myMethod()
Project Reactor (надо подключить зависимость)
Под T
подразумевается тип возвращаемого значения, либо Unit
.
myMethod(): T
suspend myMethod(): T
Kotlin Coroutine (надо подключить зависимость какimplementation
)
Перехватчики¶
Можно создавать перехватчики для изменения поведения либо создания дополнительного поведения используя класс HttpServerInterceptor
.
Перехватчики можно использовать на:
- Конкретных методах контроллера
- Контроллере целиком
- Всех контроллерах сразу (требуется использовать
@Tag(HttpServerModule.class)
над классом перехватчиком) (такой перехватчик может быть лишь один)
@Component
@HttpController
public final class SomeController {
public static final class MethodInterceptor implements HttpServerInterceptor {
@Override
public CompletionStage<HttpServerResponse> intercept(Context context,
HttpServerRequest request,
InterceptChain chain) throws Exception {
return chain.process(context, request);
}
}
@InterceptWith(MethodInterceptor.class)
@HttpRoute(method = HttpMethod.POST, path = "/intercepted")
public String helloWorld() {
return "Hello World";
}
}
@Component
@HttpController
class SomeController {
class MethodInterceptor : HttpServerInterceptor {
override fun intercept(
context: Context,
request: HttpServerRequest,
chain: HttpServerInterceptor.InterceptChain
): CompletionStage<HttpServerResponse> {
return chain.process(context, request)
}
}
@InterceptWith(MethodInterceptor::class)
@HttpRoute(method = HttpMethod.POST, path = "/intercepted")
fun helloWorld(): String {
return "Hello World"
}
}
Обработка ошибок¶
Обработка ошибок на уровне всех HTTP ответов может быть реализована также посредствам перехватчика, ниже представлен простой пример такого перехватчика.
@Tag(HttpServerModule.class)
@Component
public final class ErrorInterceptor implements HttpServerInterceptor {
@Override
public CompletionStage<HttpServerResponse> intercept(Context context,
HttpServerRequest request,
InterceptChain chain) throws Exception {
return chain.process(context, request).exceptionally(e -> {
if(e instanceof CompletionException) {
e = e.getCause();
}
if (e instanceof HttpServerResponseException ex) {
return ex;
}
var body = HttpBody.plaintext(e.getMessage());
if (e instanceof IllegalArgumentException) {
return HttpServerResponse.of(400, body);
} else if (e instanceof TimeoutException) {
return HttpServerResponse.of(408, body);
} else {
return HttpServerResponse.of(500, body);
}
});
}
}
@Tag(HttpServerModule.class)
@Component
class ErrorInterceptor : HttpServerInterceptor {
override fun intercept(
context: Context,
request: HttpServerRequest,
chain: HttpServerInterceptor.InterceptChain
): CompletionStage<HttpServerResponse> {
return chain.process(context, request).exceptionally { e ->
val error = if (e is CompletionException) e.cause!! else e
if (error is HttpServerResponseException) {
return@exceptionally error
}
val body = HttpBody.plaintext(error.message)
when (error) {
is IllegalArgumentException -> HttpServerResponse.of(400, body)
is TimeoutException -> HttpServerResponse.of(408, body)
else -> HttpServerResponse.of(500, body)
}
}
}
}
Контроллер императивный¶
Для создания контроллера следует реализовать HttpServerRequestHandler.HandlerFunction
интерфейс,
а затем зарегистрировать его в обработчике HttpServerRequestHandler
.
Ниже показан пример по обработке всех описанных декларативных параметров запроса из примеров выше:
public interface SomeModule {
default HttpServerRequestHandler someHttpHandler() {
return HttpServerRequestHandlerImpl.of(HttpMethod.POST,
"/hello/{world}",
(context, request) -> {
var path = RequestHandlerUtils.parseStringPathParameter(request, "world");
var query = RequestHandlerUtils.parseOptionalStringQueryParameter(request, "query");
var queries = RequestHandlerUtils.parseOptionalStringListQueryParameter(request, "Queries");
var header = RequestHandlerUtils.parseOptionalStringHeaderParameter(request, "header");
var headers = RequestHandlerUtils.parseOptionalStringListHeaderParameter(request, "Headers");
return CompletableFuture.completedFuture(HttpServerResponse.of(200, HttpBody.plaintext("Hello World")));
});
}
}
interface SomeModule {
fun someHttpHandler(): HttpServerRequestHandler? {
return HttpServerRequestHandlerImpl.of(
HttpMethod.POST,
"/hello/{world}"
) { context: Context, request: HttpServerRequest ->
val path = RequestHandlerUtils.parseStringPathParameter(request, "world")
val query = RequestHandlerUtils.parseOptionalStringQueryParameter(request, "query")
val queries = RequestHandlerUtils.parseOptionalStringListQueryParameter(request, "Queries")
val header = RequestHandlerUtils.parseOptionalStringHeaderParameter(request, "header")
val headers = RequestHandlerUtils.parseOptionalStringListHeaderParameter(request, "Headers")
CompletableFuture.completedFuture(HttpServerResponse.of(200, HttpBody.plaintext("Hello World")))
}
}
}