JVM is in development for v1. Interested in contributing or chatting with us?Get in touch!
JVM - api.route.get()
Register an API route and set a specific HTTP GET handler on that route.
import io.nitric.Nitric;
class User {
  String name;
  int age;
  public User(String name, int age) {
    this.name = name;
    this.age = age;
  }
}
public class Application {
  public static void main(String[] args) {
    var api = Nitric.INSTANCE.api("public");
    api.route("/customers").get((ctx) -> {
      // construct response for the GET: /customers request...
      ctx.getResp().json(User("John Smith", 31));
      return ctx;
    });
    Nitric.INSTANCE.run();
  }
}
Parameters
- Name
 middleware- Required
 - Required
 - Type
 - HttpMiddleware or List<HttpMiddleware>
 - Description
 One or more middleware functions to use as the handler for HTTP requests. Handlers can be sync or async
Examples
Register a handler for GET requests
import io.nitric.Nitric;
class User {
  String name;
  int age;
  public User(String name, int age) {
    this.name = name;
    this.age = age;
  }
}
public class Application {
  public static void main(String[] args) {
    var api = Nitric.INSTANCE.api("public");
    api.route("/customers").get((ctx) -> {
      // construct response for the GET: /customers request...
      ctx.getResp().json(User("John Smith", 31));
      return ctx;
    });
    Nitric.INSTANCE.run();
  }
}
Chain functions as a single method handler
When multiple functions are provided they will be called as a chain. If one succeeds, it will move on to the next. This allows middleware to be composed into more complex handlers.
import io.nitric.Nitric;
import io.nitric.faas.v0.HttpContext;
import io.nitric.faas.v0.Handler;
import java.util.List;
public class Application {
  static HttpContext validateRequest(HttpContext ctx, Handler<HttpContext> next) {
    // validateRequest
    return next.invoke(ctx);
  }
  static HttpContext handleRequest(HttpContext ctx, Handler<HttpContext> next) {
    // handle request
    return next.invoke(ctx);
  }
  public static void main(String[] args) {
    var api = Nitric.INSTANCE.api("public");
    api.route("/customer").get(List.of(Application::validateRequest, Application::handleRequest));
    Nitric.INSTANCE.run();
  }
}