All Projects → zandero → rest.vertx

zandero / rest.vertx

Licence: Apache-2.0 license
A JAX-RS like annotation processor for vert.x verticals and more

Programming Languages

java
68154 projects - #9 most used programming language

Projects that are alternatives of or similar to rest.vertx

Summer
Vertx router with JAX-RS
Stars: ✭ 54 (-60.87%)
Mutual labels:  jax-rs, vertx
Vertx Blueprint Todo Backend
Vert.x Blueprint Project - A reactive todo-backend implementation using Vert.x and various persistence
Stars: ✭ 169 (+22.46%)
Mutual labels:  vertx, restful-api
Cloudopt Next
A simple and modern Java and Kotlin vert.x web framework
Stars: ✭ 211 (+52.9%)
Mutual labels:  vertx, restful-api
Hikaku
A library that tests if the implementation of a REST-API meets its specification.
Stars: ✭ 154 (+11.59%)
Mutual labels:  jax-rs, restful-api
Pac4j
Security engine for Java (authentication, authorization, multi frameworks): OAuth, CAS, SAML, OpenID Connect, LDAP, JWT...
Stars: ✭ 2,097 (+1419.57%)
Mutual labels:  jax-rs, vertx
Jax Rs Performance Comparison
⚡️ Performance Comparison of Jax-RS implementations and embedded containers
Stars: ✭ 181 (+31.16%)
Mutual labels:  jax-rs, vertx
Proteus
Lean, mean, and incredibly fast JVM framework for web and microservice development.
Stars: ✭ 178 (+28.99%)
Mutual labels:  jax-rs, restful-api
Crnk Framework
JSON API library for Java
Stars: ✭ 234 (+69.57%)
Mutual labels:  jax-rs, restful-api
travels-api
API for Travels Management - UFLA Comp Jr/20 anniversary event
Stars: ✭ 22 (-84.06%)
Mutual labels:  restful-api
gothic
🦇 Gothic is a user registration and authentication SWT/JWT microservice. It supports REST, gRPC, and gRPC Web API, reCAPTCHA & a variety of DBs with Gorm.
Stars: ✭ 65 (-52.9%)
Mutual labels:  restful-api
grapevine
Fast, unopinionated, embeddable, minimalist web framework for .NET
Stars: ✭ 72 (-47.83%)
Mutual labels:  restful-api
dawn-api
A RESTful API package
Stars: ✭ 25 (-81.88%)
Mutual labels:  restful-api
AnomalyDetection
基于智能计算框架nupic的异常检测restful Api.
Stars: ✭ 31 (-77.54%)
Mutual labels:  restful-api
openapi4j
OpenAPI 3 parser, JSON schema and request validator.
Stars: ✭ 92 (-33.33%)
Mutual labels:  vertx
egg-RESTfulAPI
基于egg.js2.x的RESTfulAPI风格的项目模板,用于快速构建高性能的服务端。
Stars: ✭ 70 (-49.28%)
Mutual labels:  restful-api
project-3-crm
⭐crm 客户关系管理系统模板⭐一个不错的后台管理种子项目,拥有自由设置角色自由分配权限🔑的权限管理功能,三员管理多员管理均可,前端antd vue admin后端spring-boot-api-seedling 拥有完善的功能。文档包含需求文档,设计文档和测试文档等。同时配置了travis,拥有集成测试和自动构建的功能。
Stars: ✭ 128 (-7.25%)
Mutual labels:  restful-api
node-server-template
This is Node.js server tidy template / boilerplate with Express (with asyncified handlers, custom error handler) framework and MongoDb. The server use ES6 and above. On different branches you can see different techniques' and technologies' usage, such as Kafka, nodemailer, file download... You also can find postman collections.
Stars: ✭ 116 (-15.94%)
Mutual labels:  restful-api
Mangadb
A Secured RESTful API Service for Manga
Stars: ✭ 17 (-87.68%)
Mutual labels:  restful-api
gateCracker
No description or website provided.
Stars: ✭ 20 (-85.51%)
Mutual labels:  restful-api
YuiAPI
一个浏览器API测试客户端,API文档生成器,支持chrome/firefox/新版edge
Stars: ✭ 25 (-81.88%)
Mutual labels:  restful-api

Rest.Vertx

  • Lightweight JAX-RS (RestEasy) like annotation processor for vert.x verticles.
  • You are highly encouraged to participate and improve upon the existing code.
  • Please report any issues discovered.

Donations are welcome

If this project help you reduce time to develop?

Keep it running and paypal for cookies and coffee or become a sponsor.

Setup

JAVA 11+

<dependency>
    <groupId>com.zandero</groupId>
    <artifactId>rest.vertx</artifactId>
    <version>1.1.1</version>
</dependency>

NOTE: Last Java 8 compatible version

<dependency>
    <groupId>com.zandero</groupId>
    <artifactId>rest.vertx</artifactId>
    <version>1.0.6.1</version>
</dependency>

See also: change log

Important note - breaking changes - when migrating to vertx 4.*

If you are using vert.x version 3.* then use version 0.9.* of Rest.vertx

Version 1.0.4 and higher are only compatible with vert.x version 4 and higher and introduce some breaking changes:

  • @RolesAllowed authorization throws 403 Forbidden exception where before it was a 401 Unauthorized exception
  • Authentication and authorization flow is now aligned with vert.x and @RolesAllowed processing is done by an AuthorizationProvider implementation
  • @RolesAllowed annotations still work but should be replaced with @Authenticate and @Authorize annotations instead

Acknowledgments

This project uses:

Request/Response rest.vertx lifecycle

A high level overview of how rest.vertx works:

Request lifecycle

Example

Step 1 - annotate a class with JAX-RS annotations

@Path("/test")
public class TestRest {

    @GET
    @Path("/echo")
    @Produces(MediaType.TEXT_HTML)
    public String echo() {

        return "Hello world!";
    }
}

Step 2 - register annotated class as REST API

TestRest rest=new TestRest();
    Router router=RestRouter.register(vertx,rest);

    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

or alternatively

Router router=Router.router(vertx);

    TestRest rest=new TestRest();
    RestRouter.register(router,rest);

    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

or alternatively use RestBuilder helper to build up endpoints.

Registering by class type

version 0.5 or later

Alternatively RESTs can be registered by class type only.

Router router=RestRouter.register(vertx,TestRest.class);

    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

RestBuilder

version 0.7 or later

Rest endpoints, error handlers, writers and readers can be bound in one go using the RestBuilder.

Router router=new RestBuilder(vertx)
    .register(RestApi.class,OtherRestApi.class)
    .reader(MyClass.class,MyBodyReader.class)
    .writer(MediaType.APPLICATION_JSON,CustomWriter.class)
    .errorHandler(IllegalArgumentExceptionHandler.class)
    .errorHandler(MyExceptionHandler.class)
    .build();

or

router=new RestBuilder(router)
    .register(AdditionalApi.class)
    .build();

Paths

Each class can be annotated with a root (or base) path @Path("/rest").
In order to be registered as a REST API endpoint the class public method must have a @Path annotation.

@Path("/api")
public class SomeApi {

   @GET
   @Path("/execute")
   public String execute() {
       return "OK";
   }
}

OR - if class is not annotated the method @Path is taken as the full REST API path.

public class SomeApi {

    @GET
    @Path("/api/execute")
    public String execute() {
        return "OK";
    }
}
> GET /api/execute/ 

NOTE: multiple identical paths can be registered - if response is not terminated (ended) the next method is executed. However this should be avoided whenever possible.

Path variables

Both class and methods support @Path variables.

// RestEasy path param style
@GET
@Path("/execute/{param}")
public String execute(@PathParam("param") String parameter){
    return parameter;
    }
> GET /execute/that -> that
// vert.x path param style
@GET
@Path("/execute/:param")
public String execute(@PathParam("param") String parameter){
    return parameter;
    }
> GET /execute/this -> this

Path regular expressions

// RestEasy path param style with regular expression {parameter:>regEx<}
@GET
@Path("/{one:\\w+}/{two:\\d+}/{three:\\w+}")
public String oneTwoThree(@PathParam("one") String one,@PathParam("two") int two,@PathParam("three") String three){
    return one+two+three;
    }
> GET /test/4/you -> test4you

since version 0.8.7 or later

Also possible are Vert.x style paths with regular expressions.

// VertX style path :parameter:regEx   
@GET
@Path("/:one:\\d+/minus/:two:\\d+")
public Response test(int one,int two){
    return Response.ok(one-two).build();
    }
> GET /12/minus/3 -> 9

Query variables

Query variables are defined using the @QueryParam annotation.
In case method arguments are not nullable they must be provided or a 400 bad request response follows.

@Path("calculate")
public class CalculateRest {

    @GET
    @Path("add")
    public int add(@QueryParam("one") int one, @QueryParam("two") int two) {

        return one + two;
    }
}
> GET /calculate/add?two=2&one=1 -> 3

In case needed a request reader can be assigned to provide the correct variable:

@GET
public int getDummyValue(@QueryParam("dummy") @RequestReader(DummyReader.class) Dummy dummy){

    return dummy.value;
}

Decoding of query variables

since version 0.8.7 or later

Query variables are decoded by default
If the original (non decoded) value is desired, we can use the @Raw annotation.

@GET
@Path("/decode")
public String echoGetQuery(@QueryParam("decoded") String decodedQuery,
@QueryParam("raw") @Raw String rawQuery){
> GET /decode?decoded=hello+world -> decoded = "hello world"
> GET /decode?raw=hello+world     -> raw = "hello+world"

Matrix parameters

Matrix parameters are defined using the @MatrixParam annotation.

@GET
@Path("{operation}")
public int calculate(@PathParam("operation") String operation,@MatrixParam("one") int one,@MatrixParam("two") int two){

    switch(operation){
    case"add":
    return one+two;

    case"multiply":
    return one*two;

default:
    return 0;
    }
    }
> GET /add;one=1;two=2 -> 3

Conversion of path, query, ... variables to Java objects

Rest.Vertx tries to convert path, query, cookie, header and other variables to their corresponding Java types.

Basic (primitive) types are converted from string to given type - if conversion is not possible a 400 bad request response follows.

Complex java objects are converted according to @Consumes annotation or @RequestReader request body reader associated.

Complex java object annotated with @BeanParam annotation holding fields annotated with @PathParam, @QueryParam ...

Option 1 - The @Consumes annotation mime/type defines the reader to be used when converting request body.
In this case a build in JSON converter is applied.

@Path("consume")
public class ConsumeJSON {

    @POST
    @Path("read")
    @Consumes("application/json")
    public String add(SomeClass item) {

        return "OK";
    }
}

Option 2 - The @RequestReader annotation defines a ValueReader to convert a String to a specific class, converting:

  • request body
  • path
  • query
  • cookie
  • header
@Path("consume")
public class ConsumeJSON {

    @POST
    @Path("read")
    @Consumes("application/json")
    @RequestReader(SomeClassReader.class)
    public String add(SomeClass item) {

        return "OK";
    }
}

Option 3 - An RequestReader is globally assigned to a specific class type.

RestRouter.getReaders().register(SomeClass.class,SomeClassReader.class);
@Path("consume")
public class ConsumeJSON {

    @POST
    @Path("read")
    public String add(SomeClass item) {

        return "OK";
    }
}

Option 4 - An RequestReader is globally assigned to a specific mime type.

RestRouter.getReaders().register("application/json",SomeClassReader.class);
@Path("consume")
public class ConsumeJSON {

    @POST
    @Path("read")
    @Consumes("application/json")
    public String add(SomeClass item) {

        return "OK";
    }
}

First appropriate reader is assigned searching in following order:

  1. use parameter ValueReader
  2. use method ValueReader
  3. use class type specific ValueReader
  4. use mime type assigned ValueReader
  5. use general purpose ValueReader

Option 5 - @BeanParam argument is constructed via vert.x RoutingContext.

since version 0.9.0 or later

@POST
@Path("/read/{param}")
public String read(@BeanParam BeanClazz bean){
    ...
    }
public class BeanClazz {
    @PathParam("param")
    private String path;

    @QueryParam("query")
    @Raw
    private String query;

    @HeaderParam("x-token")
    private String token;

    @CookieParam("chocolate")
    private String cookie;

    @MatrixParam("enum")
    private MyEnum enumValue;

    @FormParam("form")
    private String form;

    @BodyParam
    @DefaultValue("empty")
    private String body;
}

OR via constructor

public BeanClazz(@PathParam("param") String path,
@HeaderParam("x-token") boolean xToken,
@QueryParam("query") @Raw int query,
@CookieParam("chocolate") String cookie){
    ...
    }

Missing ValueReader?

If no specific ValueReader is assigned to a given class type, rest.vertx tries to instantiate the class:

  • converting String to primitive type if class is a String or primitive type
  • using a single String constructor
  • using a single primitive type constructor if given String can be converted to the specific type
  • using static methods fromString(String value) or valueOf(String value) (in that order)

@SuppressCheck annotation

Rest.vertx tries to be smart and checks all readers and writers type compatibility.
Meaning if a REST method returns a String then a String compatible writer is expected.

In case the check is to strong (preventing some fancy Java generics or inheritance) the @SuppressCheck annotation can be applied to skip the check.

NOTE: This will not prevent a writer/reader runtime exception in case of type incompatibility!

@SuppressCheck
public class TestSuppressedWriter implements HttpResponseWriter<Dummy> {

    @Override
    public void write(Dummy result, HttpServerRequest request, HttpServerResponse response) {
        response.end(result.name);
    }
}

Cookies, forms and headers ...

Cookies, HTTP form and headers can also be read via @CookieParam, @HeaderParam and @FormParam annotations.

@Path("read")
public class TestRest {

    @GET
    @Path("cookie")
    public String readCookie(@CookieParam("SomeCookie") String cookie) {

        return cookie;
    }
}
@Path("read")
public class TestRest {

    @GET
    @Path("header")
    public String readHeader(@HeaderParam("X-SomeHeader") String header) {

        return header;
    }
}
@Path("read")
public class TestRest {

    @POST
    @Path("form")
    public String readForm(@FormParam("username") String user, @FormParam("password") String password) {

        return "User: " + user + ", is logged in!";
    }
}

@DefaultValue annotation

We can provide default values in case parameter values are not present with @DefaultValue annotation.

@DefaultValue annotation can be used on:

  • @PathParam
  • @QueryParam
  • @FormParam
  • @CookieParam
  • @HeaderParam
  • @Context
public class TestRest {

    @GET
    @Path("user")
    public String read(@QueryParam("username") @DefaultValue("unknown") String user) {

        return "User is: " + user;
    }
}
> GET /user -> "User is: unknown
   
> GET /user?username=Foo -> "User is: Foo

Request context

Additional request bound variables can be provided as method arguments using the @Context annotation.

Following types are by default supported:

  • @Context HttpServerRequest - vert.x current request
  • @Context HttpServerResponse - vert.x response (of current request)
  • @Context Vertx - vert.x instance
  • @Context EventBus - vert.x EventBus instance
  • @Context RoutingContext - vert.x routing context (of current request)
  • @Context User - vert.x user entity (if set)
  • @Context RouteDefinition - vertx.rest route definition (reflection of Rest.Vertx route annotation data)
@GET
@Path("/context")
public String createdResponse(@Context HttpServerResponse response,@Context HttpServerRequest request){
    response.setStatusCode(201);
    return request.uri();
    }

Registering a context provider

If desired a custom context provider can be implemented to extract information from request into a object.
The context provider is only invoked in when the context object type is needed. Use addProvider() method on ** RestRouter** or RestBuilder to register a context provider.

public class TokenProvider implements ContextProvider<Token> {

    @Override
    public Token provide(HttpServerRequest request) throws Throwable {
        String token = request.getHeader("X-Token");
        if (token != null) {
            return new Token(token);
        }

        return null;
    }
}

RestRouter.addProvider(Token.class,TokenProvider.class);

or

RestRouter.addProvider(Token.class,request->{
    String token=request.getHeader("X-Token");
    if(token!=null){
    return new Token(token);
    }

    return null;
    });

or

public class Token {

    public String token;

    public Token(HttpServerRequest request) {
        token = request.getHeader("X-Token");
    }
}

RestRouter.addProvider(Token.class,Token::new)
@GET
@Path("/token")
public String readToken(@Context Token token){
    return token.getToken();
    }

If @Context for given class can not be provided than a 400 @Context can not be provided exception is thrown

Pushing a custom context

While processing a request a custom context can be pushed into the vert.x routing context data storage.
This context data can than be utilized as a method argument. The pushed context is thread safe for the current request.

The main difference between a context push and a context provider is that the context push is executed on every request, while the registered provider is only invoked when needed!

In order to achieve this we need to create a custom handler that pushes the context before the REST endpoint is called:

Router router=Router.router(vertx);
    router.route().handler(pushContextHandler());

    router=RestRouter.register(router,new CustomContextRest());
    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

private Handler<RoutingContext> pushContextHandler(){

    return context->{
    RestRouter.pushContext(context,new MyCustomContext("push this into storage"));
    context.next();
    };
    }

or

RestRouter.provide(TokenProvider.class); // push of context provider 

A pushed context is handy in case we wan't to make sure some context related object is always present (on every request), ie. session / user ...

Then the context object can than be used as a method argument

@Path("custom")
public class CustomContextRest {

    @GET
    @Path("/context")
    public String createdResponse(@Context MyCustomContext context) {
    }
}

Context reader

version 0.8.6 or later

A custom context reader can be applied to a @Context annotated variable to override the global context providers.

@GET
@Path("/token")
@ContextReader(TokenProvider.class)
public String createdResponse(@Context Token token){
    return token.token;
    }

// or

@GET
@Path("/token")
public String createdResponse(@ContextReader(TokenProvider.class) @Context Token token){
    return token.token;
    }

Body handler

version 0.9.1 or later

In case needed a custom body handler can be provided for all body handling requests.

BodyHandler bodyHandler=BodyHandler.create("my_upload_folder");
    RestRouter.setBodyHandler(bodyHandler);

    Router router=RestRouter.register(vertx,UploadFileRest.class);

or

BodyHandler handler=BodyHandler.create("my_upload_folder");

    Router router=new RestBuilder(vertx)
    .bodyHandler(handler)
    .register(UploadFileRest.class)
    .build();

Response building

Response writers

Metod results are converted using response writers.
Response writers take the method result and produce a vert.x response.

Example of a simple response writer:

@Produces("application/xml")        // content-type header
@Header("X-Status: I'm a dummy")    // additional static headers
public class DummyWriter implements HttpResponseWriter<Dummy> {

    @Override
    public void write(Dummy data, HttpServerRequest request, HttpServerResponse response) {

        response.status(200); // for illustration ... needed only when overriding 200

        String out = data.name + "=" + data.value;
        response.end("<custom>" + out + "</custom>");
    }
}

Option 1 - The @Produces annotation mime/type defines the writer to be used when converting response.
In this case a build in JSON writer is applied.

@Path("produces")
public class ConsumeJSON {

    @GET
    @Path("write")
    @Produces("application/json")
    public SomeClass write() {

        return new SomeClass();
    }
}

Option 2 - The @ResponseWriter annotation defines a specific writer to be used.

@Path("produces")
public class ConsumeJSON {

    @GET
    @Path("write")
    @Produces("application/json")
    @ResponseWriter(SomeClassWriter.class) // writer will be used for this REST call only
    public SomeClass write() {

        return new SomeClass();
    }
}

Global writers are used in case no other writer is specified for given type or content-type!

Option 3 - An ResponseWriter is globally assigned to a specific class type.

RestRouter.getWriters().register(SomeClass.class,SomeClassWriter.class);
    RestRouter.getWriters().register("application/json",SomeClassWriter.class);
    RestRouter.getWriters().register(SomeClassWriter.class); // where SomeClassWriter is annotated with @Produces("application/json")

Option 4 - An ResponseWriter is globally assigned to a specific mime type.

RestRouter.getWriters().register(MyClass.class,MyJsonWriter.class);
    RestRouter.getWriters().register("application/json",MyJsonWriter.class);
    RestRouter.getWriters().register(MyJsonWriter.class); // where MyJsonWriter is annotated with @Produces("application/json") 
@Path("produces")
public class ConsumeJSON {

    @GET
    @Path("write")
    @Produces("application/json") // appropriate content-type writer will be looked up
    public SomeClass write() {

        return new SomeClass();
    }
}

First appropriate writer is assigned searching in following order:

  1. use assigned method ResponseWriter
  2. use class type specific writer
  3. use mime type assigned writer
  4. use general purpose writer (call to .toString() method of returned object)

vert.x response builder

In order to manipulate returned response, we can utilize the @Context HttpServerResponse.

@GET
@Path("/login")
public HttpServerResponse vertx(@Context HttpServerResponse response){

    response.setStatusCode(201);
    response.putHeader("X-MySessionHeader",sessionId);
    response.end("Hello world!");
    return reponse;
    }

JAX-RS response builder

NOTE in order to utilize the JAX Response.builder() an existing JAX-RS implementation must be provided.
Vertx.rest uses the Glassfish Jersey implementation for testing:

<dependency>
    <groupId>org.glassfish.jersey.core</groupId>
    <artifactId>jersey-common</artifactId>
    <version>2.22.2</version>
</dependency>
@GET
@Path("/login")
public Response jax(){

    return Response
    .accepted("Hello world!!")
    .header("X-MySessionHeader",sessionId)
    .build();
    }

Authentication and Authorization

version 1.0.4 or later

Authentication and Authorization steps:

  1. RestAuthorizationProvider reads the request and provides the appropriate Credentials for the AuthorizationProvider

  2. AuthorizationProvider uses the supplied Credentials to identify the User accessing the REST endpoint

    • if the user is not identified a 401 Unauthorized exception is thrown
  3. the User entity is then provided to the AuthorizationProvider to check if user is allowed accessing the REST endpoint

    • User entity should return a list of allowed Authorizations to be matched against the provider authorization
    • if the user is not allowed to access the REST endpoint a 403 Forbidden exception is thrown

Authentication

In order to authenticate a user we can annotate a REST interface/method with the @Authenticate annotation.
The @Authenticate annotation needs RestAuthenticationProvider implementation.

import com.zandero.rest.annotation.*;

@Path("secure")
@Authenticate(MyAuthenticator.class)
public class ConsumeJSON {

    @GET
    @Path("path")
    @Authorize(MyAuthorizationProvider.class)
    public String OnlyAccessibleToCreditedUsers() {
        return "I'm VIP";
    }
}

Example of RestAuthenticationProvider implementation:

public class MyAuthenticator implements RestAuthenticationProvider {

    @Override
    public void authenticate(JsonObject credentials, Handler<AsyncResult<User>> resultHandler) {

        // process credentials if provided
        String token = credentials != null ? credentials.getString("token") : null;  // expecting credentials to be instance of TokenCredentials

        // search for the user with session expressed in token
        User user = null;
        if (token != null) {
            user = getUserWithSession(token);
        }

        if (user != null) {
            resultHandler.handle(Future.succeededFuture(user));
        } else {
            resultHandler.handle(Future.failedFuture("Missing authentication token"));
        }
    }

    @Override
    public void authenticate(Credentials credentials, Handler<AsyncResult<User>> resultHandler) {
        if (credentials instanceof TokenCredentials) {
            TokenCredentials token = (TokenCredentials) credentials;
            authenticate(token.toJson(), resultHandler);
        } else {
            resultHandler.handle(Future.failedFuture(new BadRequestException("Missing authentication token")));
        }
    }

    @Override
    public Credentials provideCredentials(RoutingContext context) {
        String token = context.request().getHeader("X-Token");
        return token != null ? new TokenCredentials(token) : null; // token might be null
    }
}

Authorization

public class MyAuthorizationProvider implements AuthorizationProvider {

    @Override
    public String getId() {
        return "MyAuthorizationProvider";
    }

    @Override
    public void getAuthorizations(User user, Handler<AsyncResult<Void>> handler) {
        if (PermissionBasedAuthorization.create("HasPermission").match(user)) {
            handler.handle(Future.succeededFuture());
        } else {
            handler.handle(Future.failedFuture("You are not allowed in!"));
        }
    }
}

User

Example of a simple User entity with PermissionBasedAuthorization to be matched in MyAuthorizationProvider

public class MyUser extends UserImpl {

    private final String role;

    public MyUser(String role) {
        this.role = role;
    }

    /**
     * @return all authorizations that user can be matched against
     */
    @Override
    public Authorizations authorizations() {
        return new AuthorizationsImpl().add("MyAuthorizationProvider",
                                            PermissionBasedAuthorization.create(role));
    }
}

Throwing custom exceptions on Authorization / Authentication problems

Authorization and Authentication throw Unauthorized and Forbidden exceptions respectively.
But we can customize Authorization/Authentication provider by simply providing a custom exception when handling failure.

handler.handle(Future.failedFuture(new MyException("custom")));

The thrown exception is taken over and can be further processed with an Exception handler to produce the desired output.

Global Authenticaton / Authorization providers

We can define global authentication/authorization providers for all routes.

RestBuilder builder=new RestBuilder(vertx)
    .authenticateWith(MyAuthenticator.class)
    .authorizeWith(new MyAuthorizationProvider())
    .register(EchoRest.class);

    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

Route based authentication/authorization providers override globally defined providers.

User roles & authorization

Up until version: 0.9.*
Since version 1.0.* one should use @Authenticate and @Authorize annotations instead!
@RollesAllowed, @PermitAll and @DenyAll will still work.

User access is checked in case REST API is annotated with:

  • @RolesAllowed(role), @RolesAllowed(role_1, role_2, ..., role_N) - check if user is in any given role
  • @PermitAll - allow everyone
  • @DenyAll - deny everyone

User access is checked against the vert.x User entity stored in RoutingContext, calling the User.isAuthorised(role, handler) method.

In order to make this work, we need to fill up the RoutingContext with a User entity.

Depricated: vert.x 3 example

public void init(){

    // 1. register handler to initialize User
    Router router=Router.router(vertx);
    router.route().handler(getUserHandler());

    // 2. REST with @RolesAllowed annotations
    TestAuthorizationRest testRest=new TestAuthorizationRest();
    RestRouter.register(router,testRest);

    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());
    }

// simple hanler to push a User entity into the vert.x RoutingContext
public Handler<RoutingContext> getUserHandler(){

    return context->{

    // read header ... if present ... create user with given value
    String token=context.request().getHeader("X-Token");

    // set user ...
    if(token!=null){
    context.setUser(new SimulatedUser(token)); // push User into context
    }

    context.next();
    };
    }

Depricated: vert.x 3 example

@GET
@Path("/info")
@RolesAllowed("User")
public String info(@Context User user){

    if(user instanceof SimulatedUser){
    SimulatedUser theUser=(SimulatedUser)user;
    return theUser.name;
    }

    return"hello logged in "+user.principal();
    }

Example of User implementation:

Depricated: vert.x 3 example

public class SimulatedUser extends AbstractUser {

    private final String role; // role and role in one

    private final String name;

    public SimulatedUser(String name, String role) {
        this.name = name;
        this.role = role;
    }

    /**
     * permission has the value of @RolesAllowed annotation
     */
    @Override
    protected void doIsPermitted(String permission, Handler<AsyncResult<Boolean>> resultHandler) {

        resultHandler.handle(Future.succeededFuture(role != null && role.equals(permission)));
    }

    /**
     * serialization of User entity
     */
    @Override
    public JsonObject principal() {

        JsonObject json = new JsonObject();
        json.put("role", role);
        json.put("name", name);
        return json;
    }

    @Override
    public void setAuthProvider(AuthProvider authProvider) {
        // not utilized by Rest.vertx  
    }
}

Implementing a custom value reader

In case needed we can implement a custom value reader.
A value reader must:

  • implement ValueReader interface
  • linked to a class type, mime type or @RequestReader

Example of RequestReader:

/**
 * Converts request body to JSON
 */
public class MyCustomReader implements ValueReader<MyNewObject> {

    @Override
    public MyNewObject read(String value, Class<MyNewObject> type) {

        if (value != null && value.length() > 0) {

            return new MyNewObject(value);
        }

        return null;
    }
}

Using a value reader is simple:

Register as global reader:

Global readers are used in case no other reader is specified for given type or content-type!

RestRouter.getReaders().register(MyNewObject.class,MyCustomReader.class);
    RestRouter.getReaders().register("application/json",MyCustomReader.class);
    RestRouter.getReaders().register(MyCustomReader.class); // if reader is annotated with @Consumes("application/json")

// or
    new RestBuilder(vertx).reader(MyNewObject.class,MyCustomReader.class);
    new RestBuilder(vertx).reader("appplication/json",MyCustomReader.class);
    new RestBuilder(vertx).reader(MyCustomReader.class); // if reader is annotated with @Consumes("application/json")

Use only local on specific REST endpoint:

@Path("read")
public class ReadMyNewObject {

    @POST
    @Path("object")
    @RequestReader(MyCustomReader.class) // MyCustomReader will provide the MyNewObject to REST API
    public String add(MyNewObject item) {
        return "OK";
    }

    // or

    @PUT
    @Path("object")
    public String add(@RequestReader(MyCustomReader.class) MyNewObject item) {
        return "OK";
    }
}

We can utilize request readers also on queries, headers and cookies:

@Path("read")
public class ReadMyNewObject {

    @GET
    @Path("query")
    public String add(@QueryParam("value") @RequestReader(MyCustomReader.class) MyNewObject item) {
        return item.getName();
    }
}

Implementing a custom response writer

In case needed we can implement a custom response writer.
A request writer must:

  • implement HttpResponseWriter interface
  • linked to a class type, mime type or @ResponseWriter

Example of ResponseWriter:

/**
 * Converts request body to JSON
 */
public class MyCustomResponseWriter implements HttpResponseWriter<MyObject> {

    /**
     * result is the output of the corresponding REST API endpoint associated 
     */
    @Override
    public void write(MyObject data, HttpServerRequest request, HttpServerResponse response) {

        response.putHeader("X-ObjectId", data.id);
        response.end(data.value);
    }
}

Using a response writer is simple:
Register as global writer:

RestRouter.getWriters().register(MyObject.class,MyCustomResponseWriter.class);
// or
    new RestBuilder(vertx).writer(MyObject.class,MyCustomResponseWriter.class);

Use only local on specific REST endpoint:

@Path("write")
public class WriteMyObject {

    @GET
    @Path("object")
    @ResponseWriter(MyCustomResponseWriter.class) // MyCustomResponseWriter will take output and fill up response 
    public MyObject output() {

        return new MyObject("test", "me");
    }
}

Consuming / Producing JSONs

By default Rest.Vertx binds application/json mime type to internal JsonValueReader and JsonResponseWriter to read and write JSONs. This reader/writer utilizes Jackson with Vert.x internal io.vertx.core.json.Json.mapper ObjectMapper.
In order to change serialization/deserialization of JSON via Jackson the internal io.vertx.core.json.Json.mapper should be altered.

Ordering routes

By default routes area added to the Router in the order they are listed as methods in the class when registered. One can manually change the route REST order with the @RouteOrder annotation.

By default each route has the order of 0.
If route order is != 0 then vertx.route order is set. The higher the order - the later each route is listed in Router. Order can also be negative, e.g. if you want to ensure a route is evaluated before route number 0.

Example: despite multiple identical paths the route order determines the one being executed.

@RouteOrder(20)
@GET
@Path("/test")
public String third(){
    return"third";
    }

@RouteOrder(10)
@GET
@Path("/test")
public String first(){
    return"first";
    }

@RouteOrder(15)
@GET
@Path("/test")
public String second(){
    return"second";
    }
>GET/test->"first" 

Rest events

version 0.8.6 or later

Rest events are a useful when some additional work/action must be performed based on the response produced.
For instance, we want to send out a registration confirmation e-mail on a 200 response (a successful registration).

Rest events are triggered after the response has been generated, but before the REST has ended.
One or more events are executed synchronously after the REST execution.
The order of events triggered is not defined, nor should one event rely on the execution of another event.

Rest events can be bound to:

  • http response code
  • thrown exception
  • or both

This is the place to trigger some async operation via event bus, or some other response based operation.

A RestEvent processor must implement the RestEvent interface (similar to ResponseWriters). The event input is either the produced response entity or the exception thrown.
If the event/entity pair does not match, the event is not triggered.

Example

@GET
@Path("trigger/{status}")
@Events({@Event(SimpleEvent.class), // triggered on OK respons >=200 <300
    @Event(value = FailureEvent.class, exception = IllegalArgumentException.class), // triggered via exception thrown
    @Event(value = SimpleEvent.class, response = 301)}) // triggered on response code 301
public Dummy returnOrFail(@PathParam("status") int status){

    if(status>=200&&status< 300){
    return new Dummy("one","event");
    }

    if(status>=300&&status< 400){
    response.setStatusCode(301);
    return new Dummy("two","failed");
    }

    throw new IllegalArgumentException("Failed: "+status);
    }  
public class SimpleEvent implements RestEvent<Dummy> {

    @Override
    public void execute(Dummy entity, RoutingContext context) throws Throwable {

        System.out.println("Event triggered: " + entity.name + ": " + entity.value);
        context.vertx().eventBus().send("rest.vertx.testing", JsonUtils.toJson(entity)); // send as JSON to event bus ...
    }
}
public class FailureEvent implements RestEvent<Exception> {

    @Override
    public void execute(Exception entity, RoutingContext context) throws Throwable {
        log.error("Error: ", entity);
    }
}

Enabling CORS requests

version 0.7.4 or later

Router router=new RestBuilder(vertx)
    .enableCors("*",true,1728000,allowedHeaders,HttpMethod.OPTIONS,HttpMethod.GET)
    .register(apiRest) // /api endpoint
    .notFound(RestNotFoundHandler.class) // rest not found (last resort)
    .build();

or

RestRouter.enableCors(router,            // to bind handler to
    allowedOriginPattern, // origin pattern
    allowCredentials,     // alowed credentials (true/false)
    maxAge,               // max age in seconds
    allowedHeaders,       // set of allowed headers
    methods)              // list of methods or empty for all

Error handling

Unhandled exceptions can be addressed via a designated ExceptionHandler:

  1. for a given method path
  2. for a given root path
  3. globally assigned to the RestRouter

NOTE: An exception handler is a designated response writer bound to a Throwable class

If no designated exception handler is provided, a default exception handler kicks in trying to match the exception type with a build in exception handler.

Bind exception handler to specific exception

Exception handlers are bound to an exception type - first matching exception / handler pair is used.

Example

public class MyExceptionClass extends Throwable {

    private final String error;
    private final int status;

    public MyExceptionClass(String message, int code) {
        error = message;
        status = code;
    }

    public String getError() {
        return error;
    }

    public int getStatus() {
        return status;
    }
}

// bind exception handler to exception type
public class MyExceptionHandler implements ExceptionHandler<MyExceptionClass> {
    @Override
    public void write(MyExceptionClass result, HttpServerRequest request, HttpServerResponse response) {

        response.setStatusCode(result.getCode());
        response.end(result.getError());
    }
}

...

// throw your exception
@GET
@Path("/throw")
@CatchWith(MyExceptionHandler.class)
public String fail(){

    throw new MyExceptionClass("Not implemented.",404);
    }
> GET /throw -> 404 Not implemented

Path / Method error handler

Both class and methods support @CatchWith annotation.

@CatchWith annotation must provide an ExceptionHandler implementation that handles the thrown exception:

@GET
@Path("/test")
@CatchWith(MyExceptionHandler.class)
public String fail(){

    throw new IllegalArgumentExcetion("Bang!");
    }
public class MyExceptionHandler implements ExceptionHandler<Throwable> {
    @Override
    public void write(Throwable result, HttpServerRequest request, HttpServerResponse response) {

        response.setStatusCode(406);
        response.end("I got this ... : '" + result.getMessage() + "'");
    }
}

Multiple exception handlers

Alternatively multiple handlers can be bound to a method / class, serving different exceptions.
Handlers are considered in order given, first matching handler is used.

@GET
@Path("/test")
@CatchWith({IllegalArgumentExceptionHandler.class, MyExceptionHandler.class})
public String fail(){

    throw new IllegalArgumentException("Bang!");
    }
public class IllegalArgumentExceptionHandler implements ExceptionHandler<IllegalArgumentException> {

    @Override
    public void write(IllegalArgumentException result, HttpServerRequest request, HttpServerResponse response) {

        response.setStatusCode(400);
        response.end("Invalid parameters '" + result.getMessage() + "'");
    }
}
public class MyExceptionHandler implements ExceptionHandler<MyExceptionClass> {

    @Override
    public void write(MyExceptionClass result, HttpServerRequest request, HttpServerResponse response) {

        response.setStatusCode(result.getStatus());
        response.end(result.getError());
    }
}

Global error handler(s)

The global error handler is invoked in case no other error handler is provided or no other exception type maches given handlers.
In case no global error handler is associated a default (generic) error handler is invoked.

Router router=RestRouter.register(vertx,SomeRest.class);
    RestRouter.getExceptionHandlers().register(MyExceptionHandler.class);

    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

or alternatively we bind multiple exception handlers.
Handlers are considered in order given, first matching handler is used.

  Router router = RestRouter.register(vertx, SomeRest.class);
  RestRouter.getExceptionHandlers().register(MyExceptionHandler.class, GeneralExceptionHandler.class);  

Page not found helper

version 0.7.4 or later

To ease page/resource not found handling a special notFound() handler can be be utilized.

We can

  • handle a subpath (regular expression pattern) where a handler was not found
  • handle all not matching requests
Router router=new RestBuilder(vertx)
    .register(MyRest.class)
    .notFound(".*\\/other/?.*",OtherNotFoundHandler.class) // handle all calls to an /other request
    .notFound("/rest/.*",RestNotFoundHandler.class) // handle all calls to /rest subpath
    .notFound(NotFoundHandler.class) // handle all other not found requests
    .build();

or

RestRouter.notFound(router,"rest",RestNotFoundHandler.class);

The not found handler must extend NotFoundResponseWriter:

public class NotFoundHandler extends NotFoundResponseWriter {

    @Override
    public void write(HttpServerRequest request, HttpServerResponse response) {

        response.end("404 HTTP Resource: '" + request.path() + "' not found!");
    }
}

Serving static/resource files

version 0.8 or later

Rest.vertx simplifies serving of static resource files. All you need to do is to create a REST endpoint that returns the relative path of the desired resource file, bound with FileResponseWriter writer.

For example:

@Path("docs")
public class StaticFileRest {

    @GET
    @Path("/{path:.*}")
    @ResponseWriter(FileResponseWriter.class)
    public String serveDocFile(@PathParam("path") String path) {

        return "html/" + path;
    }
}

will load resource file in html/{path} and return it's content.

> GET docs/page.html -> returns page.html content via FileResponseWriter

Uploading files

version 0.9.1 or later

Example of a REST endpoint handling file upload.

// 1. provide a BodyHandler 
BodyHandler bodyHandler=BodyHandler.create("my_upload_folder");
    RestBuilder builder=new RestBuilder(vertx)
    .bodyHandler(bodyHandler)
    .register(UploadFileRest.class);
// 2. implement File upload rest to handle incoming files
@Path("/upload")
public class UploadFileRest {

    @POST
    @Path("/file")
    public String upload(@Context RoutingContext context) {

        Set<FileUpload> fileUploadSet = context.fileUploads();
        if (fileUploadSet == null || fileUploadSet.isEmpty()) {
            return "missing upload file!";
        }

        Iterator<FileUpload> fileUploadIterator = fileUploadSet.iterator();
        List<String> urlList = new ArrayList<>();
        while (fileUploadIterator.hasNext()) {
            FileUpload fileUpload = fileUploadIterator.next();
            urlList.add(fileUpload.uploadedFileName());
        }

        return StringUtils.join(urlList, ", ");
    }
}

Blocking and Async RESTs

version 0.8.1 or later

Default

By default all REST utilize vertx().executeBlocking() call. Therefore the vertx event loop is not blocked. It will utilize the default vertx thread pool:

DeploymentOptions options=new DeploymentOptions();
    options.setWorkerPoolSize(poolSize);
    options.setMaxWorkerExecuteTime(maxExecuteTime);
    options.setWorkerPoolName("rest.vertx.example.worker.pool");

    vertx.deployVerticle(new RestVertxVerticle(settings),options);

Responses are always terminated (ended).

Async

If desired a REST endpoint can return io.vertx.core.Future and will be executed asynchronously waiting for the future object to finish. If used with non default (provided) HttpResponseWriter the response must be terminated manually.

This should be used in case we need to use a specific vertx worker pool
... thus we can manually execute the Future<> with that specific worker pool.

The output writer is determined upon the Future type returned. If returned future object is null then due to Java generics limitations, the object type can not be determined. Therefore the response will be produced by the best matching response writer instead.

suggestion: wrap null responses to object instances

Simple async example

Deprecated example for vert.x 3, applicable to versions prior 1.0.4
since vert.x 4 Promise and CompletableFuture should be used instead

WorkerExecutor executor=Vertx.vertx().createSharedWorkerExecutor("SlowServiceExecutor",20);
@GET
@Path("async")
public Future<Dummy> create(@Context Vertx vertx)throws InterruptedException{

    Future<Dummy> res=Future.future();
    asyncCall(executor,res);
    return res;
    }
public void asyncCall(WorkerExecutor executor,Future<Dummy> value)throws InterruptedException{

    executor.executeBlocking(
    fut->{
    try{
    Thread.sleep(1000);
    }
    catch(InterruptedException e){
    value.fail("Fail");
    }

    value.complete(new Dummy("async","called"));
    fut.complete();
    },
    false,
    fut->{}
    );
    }

Injection

version 8.0 or later

Allows @Inject (JSR330) injection of RESTs, writers and readers.

To provide injection an InjectionProvider interface needs to be implemented.

Binding injection provider

Router router=new RestBuilder(vertx)
    .injectWith(GuiceInjectionProvider.class)
    .register(GuicedRest.class)
    .build();

or

RestRouter.injectWith(GuiceInjectionProvider.class);

Implement injection provider

Following is a simple implementation of a Guice injection provider.

public class GuiceInjectionProvider implements InjectionProvider {

    private final Injector injector;

    public GuiceInjectionProvider(Module[] modules) {
        injector = Guice.createInjector(modules);
    }

    @SuppressWarnings("unchecked")
    @Override
    public Object getInstance(Class clazz) {
        return injector.getInstance(clazz);
    }
}
Router router=new RestBuilder(vertx).injectWith(new GuiceInjectionProvider(getModules())).build();
    vertx.createHttpServer()
    .requestHandler(router)
    .listen(PORT.get());

private Module[]getModules(){
    return new Module[]{
    new ServiceModule(),
    new SecurityModule()...
    };
    }

Implement service (use @Inject if needed)

import javax.ws.rs.core.Context;

public MyServiceImpl implements MyService{

private final OtherService other;

@Inject
public MyServiceImpl(OtherService service){
    other=service;
    }

public String call(){
    return"something";
    }
    }

Use @Inject in RESTs

@Path("rest")
public class GuicedRest {

    private final MyService service;

    @Inject
    public GuicedRest(MyService someService) {
        service = someService;
    }

    @GET
    @Path("test")
    public String get() {
        return service.call();
    }
}

Injection can also be used od RequestReader, ResponseWriters or ExceptionHandler if needed.

@Context fields

since version 0.8.1 or later

Rest api classes can not use @Context fields, @Context is provided via method parameters instead.

In case needed a RequestReader, ResponseWriter or ExceptionHandler can use a @Context annotated field, see Request context for details.

Use @Context fields only when really necessary, as the readers, writers and handlers are not cached but initialized on the fly on every request when needed.

This is done in order to ensure thread safety, so one context does not jump into another thread.

public class StringWriter implements HttpResponseWriter<String> {

    @Context
    RoutingContext context;

    @Override
    public void write(String path, HttpServerRequest request, HttpServerResponse response) throws FileNotFoundException {

        if (context.data().get("myData") == null) {
			...
        } else { ...}
    }

Internal caching

since version 0.8.1 or later

Caching and singletons

  • All registered REST classes are singletons by default, no need to annotate them with @Singleton annotation.
  • By default, all HttpResponseWriter, ValueReader, ExceptionHandler, RestAuthenticationProviders and AuthoriziationProvider classes are singletons that are cached once initialized.
  • In case HttpResponseWriter, ValueReader, ExceptionHandler, RestAuthenticationProviders and AuthoriziationProvider are utilizing a @Context field they are initialized on every request for thread safety

Disabling caching

since version 0.8.6 or later

To disabled caching use the @NoCache annotation.

@NoCache
public class NotCachedClass() {
}

Validation

since version 0.8.4 or later

Rest.vertx can utilize any JSR 380 validation implementation, we only need to provide the appropriate validator implementation.
For instance we can use Hibernate implementation:

HibernateValidatorConfiguration configuration=Validation.byProvider(HibernateValidator.class)
    .configure();

    Validator validator=configuration.buildValidatorFactory().getValidator();

Link validator with rest.vertx:

Router router=new RestBuilder(vertx)
    .validateWith(validator)
    .register(Rest.class)
    .build();

or

RestRouter.validateWith(validator);

and annotate REST calls:

@POST("valid")
public int sum(@Max(10) @QueryParam("one") int one,
@Min(1) @QueryParam("two") int two,
@Valid Dummy body){
    return one+two+body.value;
    }

In case of a violation a 400 Bad request response will be generated using ConstraintExceptionHandler.

Static data annotations

@Produces on response writers

Additional to REST endpoints @Produces can also be applied to response writers.
This will add the appropriate content-type header to the output, plus will register writer to the given content-type if no other association is given.

Example:

@Produces("application/json")
public class JsonExceptionHandler implements ExceptionHandler<String> {

    @Override
    public void write(String result, HttpServerRequest request, HttpServerResponse response) {
		...
    }
}

@Header annotation

since version 0.8.4 or later

The @Header annotation adds one or multiple static header to the response. It can be applied either to REST endpoints or to response writers.

Example:

@Header("X-Status-Reason: Validation failed")
public class ConstraintExceptionHandler implements ExceptionHandler<ConstraintException> {

    @Override
    public void write(ConstraintException result, HttpServerRequest request, HttpServerResponse response) {
        ...
    }
}

since version 1.0.4 or later

The @Header annotation can be used instead of @Consumes and @Produces annotation directly on the REST endpoint. Rest.vertx assigns 'Accept' headers to readers and 'Content-Type' and all other response headers to writers.

Example:

    @GET
@Path("/produce")
@Header({"Accept: application/json", "Content-Type: application/json"})
public String getAsJson(){
    return"I'm Johnson";
    }

// is the same as
@GET
@Path("/produce")
@Consumes("application/json")
@Produces("application/json")
public String getAsJson(){
    return"I'm Johns son!";
    }

Best practices

Don't do this

Don't use vert.x @Context if not necessary

On a request @Context must be dynamically provided by the method using it. This means that no caching is possible and every class or chain of classes must be created on each and every request.
This might cause unecessary processing overhead - avoid it if you can.

Don't manipulate the response inside the REST method body

The intended workflow is as follows:

  • request gets read by RequestReader and deserialized into a Java Object
  • REST method uses the request input to call a service and produce a result
  • REST method returns the result as a Java Object
  • RequestWriter or ExceptionHandler take the produced result and write the vertx response

Logging

Rest.vertx uses Slf4j logging API. In order to see all messages produced by Rest.vertx use a Slf4j compatible logging implementation.

Logback logging settings example

<logger name="com.zandero.rest" level="DEBUG"/>

Shorthands for method, path, consumes and produces

Instead of the following:

@GET
@Path("/test")
@Consumes("application/json")
@Produces("application/json")
public String method(){...}

a shorthand form can be used combining all into one

@Get("/test")
@Consumes("application/json")
@Produces("application/json")
public String method(){...}

or even:

@Get(value = "/test", consumes = "application/json", produces = "application/json")
public String method(){...}

Writing Unit tests

Tips and tricks to writing unit tests for your REST endpoints.

Example

REST endpoint

For instance, we have the following REST endpoint

import javax.ws.rs.Produces;

@Path("test")
public class EchoRest {

    @GET
    @Path("echo")
    @Produces("application/json")
    public String echo() {
        return "echo";
    }
}

JUnit test

We can test the REST endpoint like this:

NOTE: once a ExceptionHandler, Writer, Reader ... etc. is registered it is cached. Therefore before each test it is recommended to call RestRouter.clearCache() to make sure you have a clean set up.

@ExtendWith(VertxExtension.class)
class EchoTest {

    public static final String API_ROOT = "/";
    protected static final int PORT = 4444;
    public static final String HOST = "localhost";

    protected static Vertx vertx = null;
    protected static VertxTestContext vertxTestContext;
    protected static WebClient client;

    public static void before() {

        vertx = Vertx.vertx();
        vertxTestContext = new VertxTestContext();

        // Important ... this clears any registered writers/readers/exception handlers ... 
        // and provides a clean slate for the next test
        RestRouter.clearCache();

        client = WebClient.create(vertx);
    }

    @BeforeAll
    static void start() {

        before();

        Router router = Router.router(vertx);
        RestRouter.register(router, EchoRest.class);

        vertx.createHttpServer()
            .requestHandler(router)
            .listen(PORT.get());
    }

    @AfterEach
    void lastChecks(Vertx vertx) {
        vertx.close(vertxTestContext.succeedingThenComplete());
    }

    @AfterAll
    static void close() {
        vertx.close();
    }

    @Test
    void getEcho(VertxTestContext context) {

        client.get(PORT.get(), HOST, "/test/echo").as(BodyCodec.string())
            .send(context.succeeding(response -> context.verify(() -> {
                assertEquals(200, response.statusCode());
                assertEquals("\"echo\"", response.body());
                context.completeNow();
            })));
    }
}

The @BeforeAll, @AfterEach and @AfterAll methods should be moved into a helper class from there all test classes can be extended.

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].