org.http4s.server.Router Scala Examples
The following examples show how to use org.http4s.server.Router.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example.
Example 1
Source File: MockHttpServer.scala From cornichon with Apache License 2.0 | 6 votes |
package com.github.agourlay.cornichon.http.server import java.net.NetworkInterface import com.github.agourlay.cornichon.core.CornichonError import monix.eval.Task import monix.execution.Scheduler import org.http4s.HttpRoutes import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.implicits._ import scala.jdk.CollectionConverters._ import scala.concurrent.duration._ import scala.util.Random class MockHttpServer[A](interface: Option[String], port: Option[Range], mockService: HttpRoutes[Task], maxRetries: Int = 5)(useFromAddress: String => Task[A])(implicit scheduler: Scheduler) { private val selectedInterface = interface.getOrElse(bestInterface()) private val randomPortOrder = port.fold(0 :: Nil)(r => Random.shuffle(r.toList)) private val mockRouter = Router("/" -> mockService).orNotFound def useServer(): Task[A] = if (randomPortOrder.isEmpty) Task.raiseError(MockHttpServerError.toException) else startServerTryPorts(randomPortOrder) private def startServerTryPorts(ports: List[Int], retry: Int = 0): Task[A] = startBlazeServer(ports.head).onErrorHandleWith { case _: java.net.BindException if ports.length > 1 => startServerTryPorts(ports.tail, retry) case _: java.net.BindException if retry < maxRetries => val sleepFor = retry + 1 println(s"Could not start server on any port. Retrying in $sleepFor seconds...") startServerTryPorts(randomPortOrder, retry = retry + 1).delayExecution(sleepFor.seconds) } private def startBlazeServer(port: Int): Task[A] = BlazeServerBuilder[Task](executionContext = scheduler) .bindHttp(port, selectedInterface) .withoutBanner .withHttpApp(mockRouter) .withNio2(true) .resource .use(server => useFromAddress(s"http://${server.address.getHostString}:${server.address.getPort}")) private def bestInterface(): String = NetworkInterface.getNetworkInterfaces.asScala .filter(_.isUp) .flatMap(_.getInetAddresses.asScala) .find(_.isSiteLocalAddress) .map(_.getHostAddress) .getOrElse("localhost") } case object MockHttpServerError extends CornichonError { val baseErrorMessage = "the range of ports provided for the HTTP mock is invalid" }
Example 2
Source File: ProxyServer.scala From zio-telemetry with Apache License 2.0 | 5 votes |
package zio.telemetry.opentelemetry.example import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.{ defaults, Router } import zio.clock.Clock import zio.interop.catz._ import zio.telemetry.opentelemetry.Tracing import zio.telemetry.opentelemetry.example.config.{ Config, Configuration } import zio.telemetry.opentelemetry.example.http.{ AppEnv, AppTask, Client, StatusesService } import zio.{ ExitCode, Managed, ZIO, ZLayer } import org.http4s.syntax.kleisli._ import sttp.client.asynchttpclient.zio.AsyncHttpClientZioBackend object ProxyServer extends zio.App { val router = Router[AppTask]("/" -> StatusesService.routes).orNotFound val server = ZIO .runtime[AppEnv] .flatMap(implicit runtime => BlazeServerBuilder[AppTask] .bindHttp( runtime.environment.get[Config].proxy.host.port.getOrElse(defaults.HttpPort), runtime.environment.get[Config].proxy.host.host ) .withHttpApp(router) .serve .compile .drain ) val httpBackend = ZLayer.fromManaged(Managed.make(AsyncHttpClientZioBackend())(_.close.ignore)) val client = Configuration.live ++ httpBackend >>> Client.live val tracer = Configuration.live >>> JaegerTracer.live("zio-proxy") val envLayer = tracer ++ Clock.live >>> Tracing.live ++ Configuration.live ++ client override def run(args: List[String]) = server.provideCustomLayer(envLayer).fold(_ => ExitCode.failure, _ => ExitCode.success) }
Example 3
Source File: HealthRoutes.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.http.routes import cats._ import org.http4s._ import org.http4s.dsl.Http4sDsl import org.http4s.server.Router import shop.algebras.HealthCheck import shop.http.json._ final class HealthRoutes[F[_]: Defer: Monad]( healthCheck: HealthCheck[F] ) extends Http4sDsl[F] { private[routes] val prefixPath = "/healthcheck" private val httpRoutes: HttpRoutes[F] = HttpRoutes.of[F] { case GET -> Root => Ok(healthCheck.status) } val routes: HttpRoutes[F] = Router( prefixPath -> httpRoutes ) }
Example 4
Source File: BrandRoutes.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.http.routes import cats._ import org.http4s._ import org.http4s.dsl.Http4sDsl import org.http4s.server.Router import shop.algebras.Brands import shop.http.json._ final class BrandRoutes[F[_]: Defer: Monad]( brands: Brands[F] ) extends Http4sDsl[F] { private[routes] val prefixPath = "/brands" private val httpRoutes: HttpRoutes[F] = HttpRoutes.of[F] { case GET -> Root => Ok(brands.findAll) } val routes: HttpRoutes[F] = Router( prefixPath -> httpRoutes ) }
Example 5
Source File: UserRoutes.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.http.routes import cats._ import cats.implicits._ import org.http4s._ import org.http4s.circe.JsonDecoder import org.http4s.dsl.Http4sDsl import org.http4s.server.Router import shop.algebras.Auth import shop.domain.auth._ import shop.effects._ import shop.http.decoder._ import shop.http.json._ final class UserRoutes[F[_]: Defer: JsonDecoder: MonadThrow]( auth: Auth[F] ) extends Http4sDsl[F] { private[routes] val prefixPath = "/auth" private val httpRoutes: HttpRoutes[F] = HttpRoutes.of[F] { case req @ POST -> Root / "users" => req .decodeR[CreateUser] { user => auth .newUser(user.username.toDomain, user.password.toDomain) .flatMap(Created(_)) .recoverWith { case UserNameInUse(u) => Conflict(u.value) } } } val routes: HttpRoutes[F] = Router( prefixPath -> httpRoutes ) }
Example 6
Source File: LoginRoutes.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.http.routes import cats._ import cats.implicits._ import org.http4s._ import org.http4s.circe.JsonDecoder import org.http4s.dsl.Http4sDsl import org.http4s.server.Router import shop.algebras.Auth import shop.domain.auth._ import shop.effects._ import shop.http.decoder._ import shop.http.json._ final class LoginRoutes[F[_]: Defer: JsonDecoder: MonadThrow]( auth: Auth[F] ) extends Http4sDsl[F] { private[routes] val prefixPath = "/auth" private val httpRoutes: HttpRoutes[F] = HttpRoutes.of[F] { case req @ POST -> Root / "login" => req.decodeR[LoginUser] { user => auth .login(user.username.toDomain, user.password.toDomain) .flatMap(Ok(_)) .recoverWith { case InvalidUserOrPassword(_) => Forbidden() } } } val routes: HttpRoutes[F] = Router( prefixPath -> httpRoutes ) }
Example 7
Source File: ItemRoutes.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.http.routes import cats._ import org.http4s._ import org.http4s.dsl.Http4sDsl import org.http4s.server.Router import shop.algebras.Items import shop.domain.brand._ import shop.http.json._ import shop.http.params._ final class ItemRoutes[F[_]: Defer: Monad]( items: Items[F] ) extends Http4sDsl[F] { private[routes] val prefixPath = "/items" object BrandQueryParam extends OptionalQueryParamDecoderMatcher[BrandParam]("brand") private val httpRoutes: HttpRoutes[F] = HttpRoutes.of[F] { case GET -> Root :? BrandQueryParam(brand) => Ok(brand.fold(items.findAll)(b => items.findBy(b.toDomain))) } val routes: HttpRoutes[F] = Router( prefixPath -> httpRoutes ) }
Example 8
Source File: BackendServer.scala From zio-telemetry with Apache License 2.0 | 5 votes |
package zio.telemetry.opentracing.example import cats.effect.{ ExitCode => catsExitCode } import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import zio.interop.catz._ import zio.telemetry.opentracing.example.JaegerTracer.makeService import zio.telemetry.opentracing.example.config.Configuration import zio.telemetry.opentracing.example.http.{ AppTask, StatusService } import zio.{ ExitCode, ZEnv, ZIO } object BackendServer extends CatsApp { override def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = (for { conf <- Configuration.load.provideLayer(Configuration.live) service = makeService(conf.tracer.host, "zio-backend") router = Router[AppTask]("/" -> StatusService.status(service)).orNotFound result <- BlazeServerBuilder[AppTask] .bindHttp(conf.backend.port, conf.backend.host) .withHttpApp(router) .serve .compile[AppTask, AppTask, catsExitCode] .drain .as(ExitCode.success) } yield result).orElse(ZIO.succeed(ExitCode.failure)) }
Example 9
Source File: ProxyServer.scala From zio-telemetry with Apache License 2.0 | 5 votes |
package zio.telemetry.opentracing.example import cats.effect.{ ExitCode => catsExitCode } import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import sttp.model.Uri import zio.interop.catz._ import zio.telemetry.opentracing.example.JaegerTracer.makeService import zio.telemetry.opentracing.example.config.Configuration import zio.telemetry.opentracing.example.http.{ AppTask, StatusesService } import zio.{ ExitCode, ZEnv, ZIO } object ProxyServer extends CatsApp { override def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = (for { conf <- Configuration.load.provideLayer(Configuration.live) service = makeService(conf.tracer.host, "zio-proxy") backendUrl <- ZIO.fromEither(Uri.safeApply(conf.backend.host, conf.backend.port)) router = Router[AppTask]("/" -> StatusesService.statuses(backendUrl, service)).orNotFound result <- BlazeServerBuilder[AppTask] .bindHttp(conf.proxy.port, conf.proxy.host) .withHttpApp(router) .serve .compile[AppTask, AppTask, catsExitCode] .drain .as(ExitCode.success) } yield result) orElse ZIO.succeed(ExitCode.failure) }
Example 10
Source File: BackendServer.scala From zio-telemetry with Apache License 2.0 | 5 votes |
package zio.telemetry.opentelemetry.example import org.http4s.server.{ Router, _ } import org.http4s.server.blaze.BlazeServerBuilder import zio.clock.Clock import zio.interop.catz._ import zio.telemetry.opentelemetry.Tracing import zio.telemetry.opentelemetry.example.config.{ Config, Configuration } import zio.telemetry.opentelemetry.example.http.{ AppEnv, AppTask, Client, StatusService } import zio.{ ExitCode, Managed, ZIO, ZLayer } import org.http4s.syntax.kleisli._ import sttp.client.asynchttpclient.zio.AsyncHttpClientZioBackend object BackendServer extends zio.App { val router = Router[AppTask]("/" -> StatusService.routes).orNotFound val server = ZIO .runtime[AppEnv] .flatMap(implicit runtime => BlazeServerBuilder[AppTask] .bindHttp( runtime.environment.get[Config].backend.host.port.getOrElse(defaults.HttpPort), runtime.environment.get[Config].backend.host.host ) .withHttpApp(router) .serve .compile .drain ) val httpBackend = ZLayer.fromManaged(Managed.make(AsyncHttpClientZioBackend())(_.close.ignore)) val client = Configuration.live ++ httpBackend >>> Client.live val tracer = Configuration.live >>> JaegerTracer.live("zio-backend") val envLayer = tracer ++ Clock.live >>> Tracing.live ++ Configuration.live ++ client override def run(args: List[String]) = server.provideCustomLayer(envLayer).fold(_ => ExitCode.failure, _ => ExitCode.success) }
Example 11
Source File: HttpApi.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.modules import cats.effect._ import cats.implicits._ import dev.profunktor.auth.JwtAuthMiddleware import org.http4s._ import org.http4s.implicits._ import org.http4s.server.middleware._ import org.http4s.server.Router import scala.concurrent.duration._ import shop.http.auth.users._ import shop.http.routes._ import shop.http.routes.admin._ import shop.http.routes.secured._ object HttpApi { def make[F[_]: Concurrent: Timer]( algebras: Algebras[F], programs: Programs[F], security: Security[F] ): F[HttpApi[F]] = Sync[F].delay( new HttpApi[F]( algebras, programs, security ) ) } final class HttpApi[F[_]: Concurrent: Timer] private ( algebras: Algebras[F], programs: Programs[F], security: Security[F] ) { private val adminMiddleware = JwtAuthMiddleware[F, AdminUser](security.adminJwtAuth.value, security.adminAuth.findUser) private val usersMiddleware = JwtAuthMiddleware[F, CommonUser](security.userJwtAuth.value, security.usersAuth.findUser) // Auth routes private val loginRoutes = new LoginRoutes[F](security.auth).routes private val logoutRoutes = new LogoutRoutes[F](security.auth).routes(usersMiddleware) private val userRoutes = new UserRoutes[F](security.auth).routes // Open routes private val healthRoutes = new HealthRoutes[F](algebras.healthCheck).routes private val brandRoutes = new BrandRoutes[F](algebras.brands).routes private val categoryRoutes = new CategoryRoutes[F](algebras.categories).routes private val itemRoutes = new ItemRoutes[F](algebras.items).routes // Secured routes private val cartRoutes = new CartRoutes[F](algebras.cart).routes(usersMiddleware) private val checkoutRoutes = new CheckoutRoutes[F](programs.checkout).routes(usersMiddleware) private val orderRoutes = new OrderRoutes[F](algebras.orders).routes(usersMiddleware) // Admin routes private val adminBrandRoutes = new AdminBrandRoutes[F](algebras.brands).routes(adminMiddleware) private val adminCategoryRoutes = new AdminCategoryRoutes[F](algebras.categories).routes(adminMiddleware) private val adminItemRoutes = new AdminItemRoutes[F](algebras.items).routes(adminMiddleware) // Combining all the http routes private val openRoutes: HttpRoutes[F] = healthRoutes <+> itemRoutes <+> brandRoutes <+> categoryRoutes <+> loginRoutes <+> userRoutes <+> logoutRoutes <+> cartRoutes <+> orderRoutes <+> checkoutRoutes private val adminRoutes: HttpRoutes[F] = adminItemRoutes <+> adminBrandRoutes <+> adminCategoryRoutes private val routes: HttpRoutes[F] = Router( version.v1 -> openRoutes, version.v1 + "/admin" -> adminRoutes ) private val middleware: HttpRoutes[F] => HttpRoutes[F] = { { http: HttpRoutes[F] => AutoSlash(http) } andThen { http: HttpRoutes[F] => CORS(http, CORS.DefaultCORSConfig) } andThen { http: HttpRoutes[F] => Timeout(60.seconds)(http) } } private val loggers: HttpApp[F] => HttpApp[F] = { { http: HttpApp[F] => RequestLogger.httpApp(true, true)(http) } andThen { http: HttpApp[F] => ResponseLogger.httpApp(true, true)(http) } } val httpApp: HttpApp[F] = loggers(middleware(routes).orNotFound) }
Example 12
Source File: Main.scala From http4s-poc-api with MIT License | 5 votes |
package server import java.util.concurrent.Executors import com.github.ghik.silencer.silent import external.{TeamOneHttpApi, TeamThreeCacheApi, TeamTwoHttpApi} import io.circe.generic.auto._ import log.effect.zio.ZioLogWriter._ import model.DomainModel._ import org.http4s.circe._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import org.http4s.{EntityDecoder, EntityEncoder, HttpApp} import service.PriceService import zio.interop.catz._ import zio.interop.catz.implicits._ import zio.{ExitCode, RIO, Task, ZEnv, ZIO} import scala.concurrent.ExecutionContext import model.DomainModelCodecs._ @silent object Main extends zio.interop.catz.CatsApp with Pools with Codecs { private[this] val priceService: RIO[String, PriceService[Task]] = log4sFromName map { log => PriceService[Task]( TeamThreeCacheApi.productCache, TeamOneHttpApi(), TeamTwoHttpApi(), log ) } private[this] val httpApp: RIO[PriceService[Task], HttpApp[Task]] = ZIO.access { ps => Router( "/pricing-api/prices" -> PriceRoutes[Task].make(ps), "/pricing-api/health-check" -> HealthCheckRoutes[Task].make(ps.logger) ).orNotFound } private[this] val runningServer: RIO[HttpApp[Task], Unit] = ZIO.accessM { app => BlazeServerBuilder[Task](serverPool) .bindHttp(17171, "0.0.0.0") .withConnectorPoolSize(connectorPoolSize) .enableHttp2(true) .withHttpApp(app) .serve .compile .drain } private[this] val serviceRuntime: RIO[String, Unit] = priceService >>> httpApp >>> runningServer def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = serviceRuntime.fold(_ => ExitCode.failure, _ => ExitCode.success) provide "App log" } sealed trait Pools { protected val connectorPoolSize = Runtime.getRuntime.availableProcessors() * 2 protected val mainThreadNumber = Runtime.getRuntime.availableProcessors() + 1 protected val serverPool = ExecutionContext.fromExecutor( Executors.newWorkStealingPool(mainThreadNumber) ) } sealed trait Codecs { implicit val priceRequestPayloadDecoder: EntityDecoder[Task, PricesRequestPayload] = jsonOf[Task, PricesRequestPayload] implicit val priceResponsePayloadEncoder: EntityEncoder[Task, List[Price]] = jsonEncoderOf[Task, List[Price]] implicit val healthCheckResponsePayloadEncoder: EntityEncoder[Task, ServiceSignature] = jsonEncoderOf[Task, ServiceSignature] }
Example 13
Source File: MultipleEndpointsDocumentationHttp4sServer.scala From tapir with Apache License 2.0 | 5 votes |
package sttp.tapir.examples import java.util.concurrent.atomic.AtomicReference import cats.effect._ import cats.implicits._ import com.github.ghik.silencer.silent import io.circe.generic.auto._ import org.http4s.HttpRoutes import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import sttp.tapir._ import sttp.tapir.docs.openapi._ import sttp.tapir.json.circe._ import sttp.tapir.openapi.OpenAPI import sttp.tapir.openapi.circe.yaml._ import sttp.tapir.server.http4s._ import sttp.tapir.swagger.http4s.SwaggerHttp4s import scala.concurrent.ExecutionContext object MultipleEndpointsDocumentationHttp4sServer extends App { // endpoint descriptions case class Author(name: String) case class Book(title: String, year: Int, author: Author) val booksListing: Endpoint[Unit, Unit, Vector[Book], Nothing] = endpoint.get .in("books") .in("list" / "all") .out(jsonBody[Vector[Book]]) val addBook: Endpoint[Book, Unit, Unit, Nothing] = endpoint.post .in("books") .in("add") .in( jsonBody[Book] .description("The book to add") .example(Book("Pride and Prejudice", 1813, Author("Jane Austen"))) ) // server-side logic implicit val ec: ExecutionContext = scala.concurrent.ExecutionContext.Implicits.global implicit val contextShift: ContextShift[IO] = IO.contextShift(ec) implicit val timer: Timer[IO] = IO.timer(ec) val books = new AtomicReference( Vector( Book("The Sorrows of Young Werther", 1774, Author("Johann Wolfgang von Goethe")), Book("Iliad", -8000, Author("Homer")), Book("Nad Niemnem", 1888, Author("Eliza Orzeszkowa")), Book("The Colour of Magic", 1983, Author("Terry Pratchett")), Book("The Art of Computer Programming", 1968, Author("Donald Knuth")), Book("Pharaoh", 1897, Author("Boleslaw Prus")) ) ) val booksListingRoutes: HttpRoutes[IO] = booksListing.toRoutes(_ => IO(books.get().asRight[Unit])) @silent("discarded") val addBookRoutes: HttpRoutes[IO] = addBook.toRoutes(book => IO((books.getAndUpdate(books => books :+ book): Unit).asRight[Unit])) val routes: HttpRoutes[IO] = booksListingRoutes <+> addBookRoutes // generating the documentation in yml; extension methods come from imported packages val openApiDocs: OpenAPI = List(booksListing, addBook).toOpenAPI("The tapir library", "1.0.0") val openApiYml: String = openApiDocs.toYaml // starting the server BlazeServerBuilder[IO](ec) .bindHttp(8080, "localhost") .withHttpApp(Router("/" -> (routes <+> new SwaggerHttp4s(openApiYml).routes[IO])).orNotFound) .resource .use { _ => IO { println("Go to: http://localhost:8080/docs") println("Press any key to exit ...") scala.io.StdIn.readLine() } } .unsafeRunSync() }
Example 14
Source File: StreamingHttp4sFs2Server.scala From tapir with Apache License 2.0 | 5 votes |
package sttp.tapir.examples import java.nio.charset.StandardCharsets import cats.effect._ import cats.implicits._ import org.http4s.HttpRoutes import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import sttp.client._ import sttp.tapir._ import sttp.tapir.server.http4s._ import fs2._ import sttp.model.HeaderNames import scala.concurrent.ExecutionContext import scala.concurrent.duration._ // https://github.com/softwaremill/tapir/issues/367 object StreamingHttp4sFs2Server extends App { // corresponds to: GET /receive?name=... // We need to provide both the schema of the value (for documentation), as well as the format (media type) of the // body. Here, the schema is a `string` and the media type is `text/plain`. val streamingEndpoint = endpoint.get .in("receive") .out(header[Long](HeaderNames.ContentLength)) .out(streamBody[Stream[IO, Byte]](schemaFor[String], CodecFormat.TextPlain(), Some(StandardCharsets.UTF_8))) // mandatory implicits implicit val ec: ExecutionContext = scala.concurrent.ExecutionContext.Implicits.global implicit val contextShift: ContextShift[IO] = IO.contextShift(ec) implicit val timer: Timer[IO] = IO.timer(ec) // converting an endpoint to a route (providing server-side logic); extension method comes from imported packages val streamingRoutes: HttpRoutes[IO] = streamingEndpoint.toRoutes { _ => val size = 100L Stream .emit(List[Char]('a', 'b', 'c', 'd')) .repeat .flatMap(list => Stream.chunk(Chunk.seq(list))) .metered[IO](100.millis) .take(size) .covary[IO] .map(_.toByte) .pure[IO] .map(s => Right((size, s))) } // starting the server BlazeServerBuilder[IO](ec) .bindHttp(8080, "localhost") .withHttpApp(Router("/" -> streamingRoutes).orNotFound) .resource .use { _ => IO { implicit val backend: SttpBackend[Identity, Nothing, NothingT] = HttpURLConnectionBackend() val result: String = basicRequest.response(asStringAlways).get(uri"http://localhost:8080/receive").send().body println("Got result: " + result) assert(result == "abcd" * 25) } } .unsafeRunSync() }
Example 15
Source File: HelloWorldHttp4sServer.scala From tapir with Apache License 2.0 | 5 votes |
package sttp.tapir.examples import cats.effect._ import sttp.client._ import org.http4s.HttpRoutes import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import sttp.tapir._ import sttp.tapir.server.http4s._ import cats.implicits._ import scala.concurrent.ExecutionContext object HelloWorldHttp4sServer extends App { // the endpoint: single fixed path input ("hello"), single query parameter // corresponds to: GET /hello?name=... val helloWorld: Endpoint[String, Unit, String, Nothing] = endpoint.get.in("hello").in(query[String]("name")).out(stringBody) // mandatory implicits implicit val ec: ExecutionContext = scala.concurrent.ExecutionContext.Implicits.global implicit val contextShift: ContextShift[IO] = IO.contextShift(ec) implicit val timer: Timer[IO] = IO.timer(ec) // converting an endpoint to a route (providing server-side logic); extension method comes from imported packages val helloWorldRoutes: HttpRoutes[IO] = helloWorld.toRoutes(name => IO(s"Hello, $name!".asRight[Unit])) // starting the server BlazeServerBuilder[IO](ec) .bindHttp(8080, "localhost") .withHttpApp(Router("/" -> helloWorldRoutes).orNotFound) .resource .use { _ => IO { implicit val backend: SttpBackend[Identity, Nothing, NothingT] = HttpURLConnectionBackend() val result: String = basicRequest.response(asStringAlways).get(uri"http://localhost:8080/hello?name=Frodo").send().body println("Got result: " + result) assert(result == "Hello, Frodo!") } } .unsafeRunSync() }
Example 16
Source File: ZioExampleHttp4sServer.scala From tapir with Apache License 2.0 | 5 votes |
package sttp.tapir.examples import org.http4s._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import zio.interop.catz._ import zio.interop.catz.implicits._ import zio.{Has, IO, Runtime, Task, UIO, ZIO, ZLayer, ZEnv} import sttp.tapir.ztapir._ import sttp.tapir.server.http4s.ztapir._ import sttp.tapir.swagger.http4s.SwaggerHttp4s import cats.implicits._ import UserLayer.UserService import sttp.tapir.examples.ZioExampleHttp4sServer.Pet import zio.console.Console object ZioExampleHttp4sServer extends App { case class Pet(species: String, url: String) import io.circe.generic.auto._ import sttp.tapir.json.circe._ // Sample endpoint, with the logic implemented directly using .toRoutes val petEndpoint: ZEndpoint[Int, String, Pet] = endpoint.get.in("pet" / path[Int]("petId")).errorOut(stringBody).out(jsonBody[Pet]) val petRoutes: HttpRoutes[Task] = petEndpoint.toRoutes { petId => if (petId == 35) { UIO(Pet("Tapirus terrestris", "https://en.wikipedia.org/wiki/Tapir")) } else { IO.fail("Unknown pet id") } } // Same endpoint as above, but using a custom application layer val pet2Endpoint: ZEndpoint[Int, String, Pet] = endpoint.get.in("pet2" / path[Int]("petId")).errorOut(stringBody).out(jsonBody[Pet]) val pet2Routes: HttpRoutes[Task] = pet2Endpoint.toRoutes(petId => UserService.hello(petId).provideLayer(UserLayer.liveEnv)) // Final service is just a conjunction of different Routes implicit val runtime: Runtime[ZEnv] = Runtime.default val service: HttpRoutes[Task] = petRoutes <+> pet2Routes // // Same as above, but combining endpoint description with server logic: // val petServerEndpoint = petEndpoint.zServerLogic { petId => if (petId == 35) { UIO(Pet("Tapirus terrestris", "https://en.wikipedia.org/wiki/Tapir")) } else { IO.fail("Unknown pet id") } } val petServerRoutes: HttpRoutes[Task] = petServerEndpoint.toRoutes val pet2ServerEndpoint = pet2Endpoint.zServerLogic { petId => UserService.hello(petId).provideLayer(UserLayer.liveEnv) } val pet2ServerRoutes: HttpRoutes[Task] = petServerEndpoint.toRoutes import sttp.tapir.docs.openapi._ import sttp.tapir.openapi.circe.yaml._ val yaml = List(petEndpoint).toOpenAPI("Our pets", "1.0").toYaml val serve = BlazeServerBuilder[Task](runtime.platform.executor.asEC) .bindHttp(8080, "localhost") .withHttpApp(Router("/" -> (service <+> new SwaggerHttp4s(yaml).routes[Task])).orNotFound) .serve .compile .drain runtime.unsafeRun(serve) } object UserLayer { type UserService = Has[UserService.Service] object UserService { trait Service { def hello(id: Int): ZIO[Any, String, Pet] } val live: ZLayer[Console, Nothing, Has[Service]] = ZLayer.fromFunction { console: Console => (id: Int) => { console.get.putStrLn(s"Got Pet request for $id") >> ZIO.succeed(Pet(id.toString, "https://zio.dev")) } } def hello(id: Int): ZIO[UserService, String, Pet] = ZIO.accessM(_.get.hello(id)) } val liveEnv: ZLayer[Any, Nothing, Has[UserService.Service]] = Console.live >>> UserService.live }
Example 17
Source File: Http4sServerTests.scala From tapir with Apache License 2.0 | 5 votes |
package sttp.tapir.server.http4s import cats.data.{Kleisli, NonEmptyList} import cats.effect._ import cats.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import org.http4s.{EntityBody, HttpRoutes, Request, Response} import sttp.tapir.server.tests.ServerTests import sttp.tapir.Endpoint import sttp.tapir._ import sttp.client._ import sttp.tapir.server.{DecodeFailureHandler, ServerDefaults, ServerEndpoint} import sttp.tapir.tests.{Port, PortCounter} import scala.concurrent.ExecutionContext import scala.reflect.ClassTag class Http4sServerTests extends ServerTests[IO, EntityBody[IO], HttpRoutes[IO]] { implicit val ec: ExecutionContext = scala.concurrent.ExecutionContext.Implicits.global implicit val contextShift: ContextShift[IO] = IO.contextShift(ec) implicit val timer: Timer[IO] = IO.timer(ec) override def pureResult[T](t: T): IO[T] = IO.pure(t) override def suspendResult[T](t: => T): IO[T] = IO.apply(t) override def route[I, E, O]( e: ServerEndpoint[I, E, O, EntityBody[IO], IO], decodeFailureHandler: Option[DecodeFailureHandler] = None ): HttpRoutes[IO] = { implicit val serverOptions: Http4sServerOptions[IO] = Http4sServerOptions .default[IO] .copy( decodeFailureHandler = decodeFailureHandler.getOrElse(ServerDefaults.decodeFailureHandler) ) e.toRoutes } override def routeRecoverErrors[I, E <: Throwable, O](e: Endpoint[I, E, O, EntityBody[IO]], fn: I => IO[O])(implicit eClassTag: ClassTag[E] ): HttpRoutes[IO] = { e.toRouteRecoverErrors(fn) } override def server(routes: NonEmptyList[HttpRoutes[IO]], port: Port): Resource[IO, Unit] = { val service: Kleisli[IO, Request[IO], Response[IO]] = routes.reduceK.orNotFound BlazeServerBuilder[IO](ExecutionContext.global) .bindHttp(port, "localhost") .withHttpApp(service) .resource .void } override lazy val portCounter: PortCounter = new PortCounter(56000) if (testNameFilter.isEmpty) { test("should work with a router and routes in a context") { val e = endpoint.get.in("test" / "router").out(stringBody).serverLogic(_ => IO.pure("ok".asRight[Unit])) val routes = e.toRoutes val port = portCounter.next() BlazeServerBuilder[IO](ExecutionContext.global) .bindHttp(port, "localhost") .withHttpApp(Router("/api" -> routes).orNotFound) .resource .use { _ => basicRequest.get(uri"http://localhost:$port/api/test/router").send().map(_.body shouldBe Right("ok")) } .unsafeRunSync() } } }
Example 18
Source File: InvoicesServer.scala From event-sourcing-kafka-streams with MIT License | 5 votes |
package org.amitayh.invoices.web import java.util.UUID import cats.effect.{ExitCode, IO, IOApp} import cats.syntax.functor._ import fs2.Stream import fs2.concurrent.Topic import org.amitayh.invoices.common.Config.Topics import org.amitayh.invoices.common.domain.{Command, CommandResult, InvoiceSnapshot} import org.amitayh.invoices.dao.{InvoiceList, MySqlInvoiceList} import org.amitayh.invoices.web.PushEvents._ import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder object InvoicesServer extends IOApp { override def run(args: List[String]): IO[ExitCode] = stream.compile.drain.as(ExitCode.Success) private val stream: Stream[IO, ExitCode] = for { invoiceList <- Stream.resource(MySqlInvoiceList.resource[IO]) producer <- Stream.resource(Kafka.producer[IO, UUID, Command](Topics.Commands)) commandResultsTopic <- Stream.eval(Topic[IO, CommandResultRecord](None)) invoiceUpdatesTopic <- Stream.eval(Topic[IO, InvoiceSnapshotRecord](None)) server <- httpServer(invoiceList, producer, commandResultsTopic, invoiceUpdatesTopic) concurrently commandResults.through(commandResultsTopic.publish) concurrently invoiceUpdates.through(invoiceUpdatesTopic.publish) } yield server private def commandResults: Stream[IO, CommandResultRecord] = Kafka.subscribe[IO, UUID, CommandResult]( topic = Topics.CommandResults, groupId = "invoices.websocket.command-results").map(Some(_)) private def invoiceUpdates: Stream[IO, InvoiceSnapshotRecord] = Kafka.subscribe[IO, UUID, InvoiceSnapshot]( topic = Topics.Snapshots, groupId = "invoices.websocket.snapshots").map(Some(_)) private def httpServer(invoiceList: InvoiceList[IO], producer: Kafka.Producer[IO, UUID, Command], commandResultsTopic: Topic[IO, CommandResultRecord], invoiceUpdatesTopic: Topic[IO, InvoiceSnapshotRecord]): Stream[IO, ExitCode] = BlazeServerBuilder[IO] .bindHttp(8080, "0.0.0.0") .withHttpApp( Router( "/api" -> InvoicesApi[IO].service(invoiceList, producer, commandResultsTopic), "/events" -> PushEvents[IO].service(commandResultsTopic, invoiceUpdatesTopic), "/" -> Statics[IO].service).orNotFound) .serve }
Example 19
Source File: OrderEndpointsSpec.scala From scala-pet-store with Apache License 2.0 | 5 votes |
package io.github.pauljamescleary.petstore package infrastructure.endpoint import domain.orders._ import infrastructure.repository.inmemory._ import cats.effect._ import io.circe._ import io.circe.generic.semiauto._ import org.http4s._ import org.http4s.implicits._ import org.http4s.dsl._ import org.http4s.circe._ import org.http4s.client.dsl.Http4sClientDsl import org.http4s.server.Router import org.scalatest.funsuite.AnyFunSuite import org.scalatestplus.scalacheck.ScalaCheckPropertyChecks import tsec.mac.jca.HMACSHA256 import org.scalatest.matchers.should.Matchers class OrderEndpointsSpec extends AnyFunSuite with Matchers with ScalaCheckPropertyChecks with PetStoreArbitraries with Http4sDsl[IO] with Http4sClientDsl[IO] { implicit val statusDec: EntityDecoder[IO, OrderStatus] = jsonOf implicit val statusEnc: EntityEncoder[IO, OrderStatus] = jsonEncoderOf implicit val orderEncoder: Encoder[Order] = deriveEncoder implicit val orderEnc: EntityEncoder[IO, Order] = jsonEncoderOf implicit val orderDecoder: Decoder[Order] = deriveDecoder implicit val orderDec: EntityDecoder[IO, Order] = jsonOf def getTestResources(): (AuthTest[IO], HttpApp[IO]) = { val userRepo = UserRepositoryInMemoryInterpreter[IO]() val auth = new AuthTest[IO](userRepo) val orderService = OrderService(OrderRepositoryInMemoryInterpreter[IO]()) val orderEndpoint = OrderEndpoints.endpoints[IO, HMACSHA256](orderService, auth.securedRqHandler) val orderRoutes = Router(("/orders", orderEndpoint)).orNotFound (auth, orderRoutes) } test("place and get order") { val (auth, orderRoutes) = getTestResources() forAll { (order: Order, user: AdminUser) => (for { createRq <- POST(order, uri"/orders") createRqAuth <- auth.embedToken(user.value, createRq) createResp <- orderRoutes.run(createRqAuth) orderResp <- createResp.as[Order] getOrderRq <- GET(Uri.unsafeFromString(s"/orders/${orderResp.id.get}")) getOrderRqAuth <- auth.embedToken(user.value, getOrderRq) getOrderResp <- orderRoutes.run(getOrderRqAuth) orderResp2 <- getOrderResp.as[Order] } yield { createResp.status shouldEqual Ok orderResp.petId shouldBe order.petId getOrderResp.status shouldEqual Ok orderResp2.userId shouldBe defined }).unsafeRunSync } } test("user roles") { val (auth, orderRoutes) = getTestResources() forAll { user: CustomerUser => (for { deleteRq <- DELETE(Uri.unsafeFromString(s"/orders/1")) .flatMap(auth.embedToken(user.value, _)) deleteResp <- orderRoutes.run(deleteRq) } yield { deleteResp.status shouldEqual Unauthorized }).unsafeRunSync } forAll { user: AdminUser => (for { deleteRq <- DELETE(Uri.unsafeFromString(s"/orders/1")) .flatMap(auth.embedToken(user.value, _)) deleteResp <- orderRoutes.run(deleteRq) } yield { deleteResp.status shouldEqual Ok }).unsafeRunSync } } }
Example 20
Source File: main.scala From seals with Apache License 2.0 | 5 votes |
package com.example.messaging import scala.concurrent.ExecutionContext.Implicits.global import cats.implicits._ import cats.effect.{ IO, IOApp, ExitCode } import org.http4s._ import org.http4s.dsl.io._ import org.http4s.client.Client import org.http4s.circe._ import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.Router import org.http4s.implicits._ import dev.tauri.seals._ import dev.tauri.seals.circe.Codecs._ object Protocol { final case class Ping(seqNr: Long, payload: Vector[Int]) final case class Pong(seqNr: Long) final case class PingIncompatible(seqNr: Long, payload: Vector[Int], flags: Int) } object MyClient extends IOApp { import org.http4s.client.blaze._ import Protocol._ override def run(args: List[String]): IO[ExitCode] = { BlazeClientBuilder[IO](global).resource.use { client => for { pongGood <- ping(client, jsonEncoderOf[IO, Envelope[Ping]].toEntity( Envelope(Ping(42L, Vector(1, 2, 3, 4))) )) _ <- IO { assert(pongGood == Pong(42L)) } _ <- IO { println(pongGood) } pongBad <- ping(client, jsonEncoderOf[IO, Envelope[PingIncompatible]].toEntity( Envelope(PingIncompatible(99L, Vector(4, 5), 0)) )) _ <- IO { println(pongBad) } } yield ExitCode.Success } } def ping(client: Client[IO], ping: Entity[IO]): IO[Pong] = { for { pong <- client .expect(Request( POST, Uri(authority = Some(Uri.Authority(port = Some(1234))), path = "/test"), body = ping.body ))(jsonOf[IO, Envelope[Pong]]) } yield pong.value } } object MyServer extends IOApp { import org.http4s.server.blaze._ import Protocol._ val service = HttpRoutes.of[IO] { case p @ POST -> Root / "test" => for { env <- p.as(implicitly, jsonOf[IO, Envelope[Ping]]) resp <- Ok(Envelope(Pong(env.value.seqNr)))(implicitly, jsonEncoderOf) } yield resp } override def run(args: List[String]): IO[ExitCode] = { BlazeServerBuilder[IO] .bindHttp(1234, "localhost") .withHttpApp(Router("/" -> service).orNotFound) .serve .compile .drain .as(ExitCode.Success) } }
Example 21
Source File: ServerInterpreterTest.scala From endpoints4s with MIT License | 5 votes |
package endpoints4s.http4s.server import java.net.ServerSocket import cats.effect.{ContextShift, IO, Timer} import endpoints4s.{Invalid, Valid} import endpoints4s.algebra.server.{ BasicAuthenticationTestSuite, DecodedUrl, EndpointsTestSuite, JsonEntitiesFromSchemasTestSuite, SumTypedEntitiesTestSuite, TextEntitiesTestSuite } import org.http4s.server.Router import org.http4s.{HttpRoutes, Uri} import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.syntax.kleisli._ import scala.concurrent.ExecutionContext class ServerInterpreterTest extends EndpointsTestSuite[EndpointsTestApi] with BasicAuthenticationTestSuite[EndpointsTestApi] with JsonEntitiesFromSchemasTestSuite[EndpointsTestApi] with TextEntitiesTestSuite[EndpointsTestApi] with SumTypedEntitiesTestSuite[EndpointsTestApi] { val serverApi = new EndpointsTestApi() def decodeUrl[A](url: serverApi.Url[A])(rawValue: String): DecodedUrl[A] = { val uri = Uri.fromString(rawValue).getOrElse(sys.error(s"Illegal URI: $rawValue")) url.decodeUrl(uri) match { case None => DecodedUrl.NotMatched case Some(Invalid(errors)) => DecodedUrl.Malformed(errors) case Some(Valid(a)) => DecodedUrl.Matched(a) } } private def serveGeneralEndpoint[Req, Resp]( endpoint: serverApi.Endpoint[Req, Resp], request2response: Req => Resp )(runTests: Int => Unit): Unit = { val port = { val socket = new ServerSocket(0) try socket.getLocalPort finally if (socket != null) socket.close() } implicit val cs: ContextShift[IO] = IO.contextShift(ExecutionContext.global) implicit val timer: Timer[IO] = IO.timer(ExecutionContext.global) val service = HttpRoutes.of[IO](endpoint.implementedBy(request2response)) val httpApp = Router("/" -> service).orNotFound val server = BlazeServerBuilder[IO](ExecutionContext.global) .bindHttp(port, "localhost") .withHttpApp(httpApp) server.resource.use(_ => IO(runTests(port))).unsafeRunSync() } def serveEndpoint[Resp]( endpoint: serverApi.Endpoint[_, Resp], response: => Resp )(runTests: Int => Unit): Unit = serveGeneralEndpoint(endpoint, (_: Any) => response)(runTests) def serveIdentityEndpoint[Resp]( endpoint: serverApi.Endpoint[Resp, Resp] )(runTests: Int => Unit): Unit = serveGeneralEndpoint(endpoint, identity[Resp])(runTests) }
Example 22
Source File: JoexServer.scala From docspell with GNU General Public License v3.0 | 5 votes |
package docspell.joex import cats.effect._ import cats.effect.concurrent.Ref import fs2.Stream import fs2.concurrent.SignallingRef import docspell.common.Pools import docspell.joex.routes._ import org.http4s.HttpApp import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.middleware.Logger object JoexServer { private case class App[F[_]]( httpApp: HttpApp[F], termSig: SignallingRef[F, Boolean], exitRef: Ref[F, ExitCode] ) def stream[F[_]: ConcurrentEffect: ContextShift]( cfg: Config, pools: Pools )(implicit T: Timer[F]): Stream[F, Nothing] = { val app = for { signal <- Resource.liftF(SignallingRef[F, Boolean](false)) exitCode <- Resource.liftF(Ref[F].of(ExitCode.Success)) joexApp <- JoexAppImpl .create[F](cfg, signal, pools.connectEC, pools.httpClientEC, pools.blocker) httpApp = Router( "/api/info" -> InfoRoutes(), "/api/v1" -> JoexRoutes(joexApp) ).orNotFound // With Middlewares in place finalHttpApp = Logger.httpApp(false, false)(httpApp) } yield App(finalHttpApp, signal, exitCode) Stream .resource(app) .flatMap(app => BlazeServerBuilder[F](pools.restEC) .bindHttp(cfg.bind.port, cfg.bind.address) .withHttpApp(app.httpApp) .withoutBanner .serveWhile(app.termSig, app.exitRef) ) }.drain }
Example 23
Source File: UserRoutes.scala From http4s-tracer with Apache License 2.0 | 5 votes |
package dev.profunktor.tracer.http import cats.effect.Sync import cats.syntax.all._ import dev.profunktor.tracer.Trace._ import dev.profunktor.tracer.algebra.UserAlgebra import dev.profunktor.tracer.model.user.{User, Username} import dev.profunktor.tracer.model.errors.UserError._ import dev.profunktor.tracer.{Http4sTracerDsl, TracedHttpRoute, Tracer} import org.http4s._ import org.http4s.server.Router class UserRoutes[F[_]: Sync: Tracer](users: UserAlgebra[Trace[F, ?]]) extends Http4sTracerDsl[F] { private[http] val PathPrefix = "/users" private val httpRoutes: HttpRoutes[F] = TracedHttpRoute[F] { case GET -> Root / username using traceId => users .find(Username(username)) .run(traceId) .flatMap(user => Ok(user)) .handleErrorWith { case UserNotFound(u) => NotFound(u.value) } case tr @ POST -> Root using traceId => tr.request.decode[User] { user => users .persist(user) .run(traceId) .flatMap(_ => Created()) .handleErrorWith { case UserAlreadyExists(u) => Conflict(u.value) } } } val routes: HttpRoutes[F] = Router( PathPrefix -> httpRoutes ) }
Example 24
Source File: AuthRoutes.scala From http4s-tracer with Apache License 2.0 | 5 votes |
package dev.profunktor.tracer.http import cats.effect.Sync import cats.syntax.flatMap._ import dev.profunktor.tracer.Trace._ import dev.profunktor.tracer.Tracer import dev.profunktor.tracer.algebra.UserAlgebra import dev.profunktor.tracer.auth.{AuthTracedHttpRoute, Http4sAuthTracerDsl} import dev.profunktor.tracer.model.user.Username import io.circe.generic.auto._ import org.http4s._ import org.http4s.server.{AuthMiddleware, Router} class AuthRoutes[F[_]: Sync: Tracer](users: UserAlgebra[Trace[F, ?]]) extends Http4sAuthTracerDsl[F] { private[http] val PathPrefix = "/auth" private val httpRoutes: AuthedRoutes[String, F] = AuthTracedHttpRoute[String, F] { case GET -> Root as user using traceId => users.find(Username(user)).run(traceId) >> Ok(user -> traceId) case POST -> Root as user using traceId => Created(user -> traceId) } lazy val authMiddleware: AuthMiddleware[F, String] = null lazy val routes: HttpRoutes[F] = Router( PathPrefix -> authMiddleware(httpRoutes) ) }
Example 25
Source File: EndpointWirings.scala From ticket-booking-aecor with Apache License 2.0 | 5 votes |
package ru.pavkin.booking import cats.effect.{ConcurrentEffect, Timer} import org.http4s.HttpRoutes import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import ru.pavkin.booking.booking.endpoint.{BookingRoutes, DefaultBookingEndpoint} import ru.pavkin.booking.config.HttpServer import scala.concurrent.duration.{Duration => _} final class EndpointWirings[F[_] : ConcurrentEffect : Timer]( httpServer: HttpServer, postgresWirings: PostgresWirings[F], entityWirings: EntityWirings[F]) { import entityWirings._ import postgresWirings._ val bookingsEndpoint = new DefaultBookingEndpoint(bookings, bookingViewRepo) val bookingRoutes = new BookingRoutes(bookingsEndpoint) val routes: HttpRoutes[F] = bookingRoutes.routes def launchHttpService: F[Unit] = BlazeServerBuilder[F] .bindHttp(httpServer.port, httpServer.interface) .withHttpApp(Router("/" -> routes).orNotFound) .serve .compile .drain }
Example 26
Source File: TurnstileAPI.scala From cornichon with Apache License 2.0 | 5 votes |
package com.github.agourlay.cornichon.framework.examples.propertyCheck.turnstile import com.github.agourlay.cornichon.framework.examples.HttpServer import monix.eval.Task import monix.execution.atomic.AtomicBoolean import monix.execution.{ CancelableFuture, Scheduler } import org.http4s._ import org.http4s.implicits._ import org.http4s.dsl._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder class TurnstileAPI extends Http4sDsl[Task] { implicit val s = Scheduler.Implicits.global private val turnstileLocked = AtomicBoolean(true) private val turnstileService = HttpRoutes.of[Task] { case POST -> Root / "push-coin" => if (turnstileLocked.get()) { turnstileLocked.set(false) Ok("payment accepted") } else BadRequest("payment refused") case POST -> Root / "walk-through" => if (turnstileLocked.get()) BadRequest("door blocked") else { turnstileLocked.set(true) Ok("door turns") } } private val routes = Router( "/" -> turnstileService ) def start(httpPort: Int): CancelableFuture[HttpServer] = BlazeServerBuilder[Task](executionContext = s) .bindHttp(httpPort, "localhost") .withoutBanner .withNio2(true) .withHttpApp(routes.orNotFound) .allocated .map { case (_, stop) => new HttpServer(stop) } .runToFuture }
Example 27
Source File: ReverseAPI.scala From cornichon with Apache License 2.0 | 5 votes |
package com.github.agourlay.cornichon.framework.examples.propertyCheck.stringReverse import com.github.agourlay.cornichon.framework.examples.HttpServer import monix.eval.Task import monix.execution.{ CancelableFuture, Scheduler } import org.http4s._ import org.http4s.implicits._ import org.http4s.dsl._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder class ReverseAPI extends Http4sDsl[Task] { implicit val s = Scheduler.Implicits.global object WordQueryParamMatcher extends QueryParamDecoderMatcher[String]("word") private val reverseService = HttpRoutes.of[Task] { case POST -> Root / "double-reverse" :? WordQueryParamMatcher(word) => Ok(word.reverse.reverse) } private val routes = Router( "/" -> reverseService ) def start(httpPort: Int): CancelableFuture[HttpServer] = BlazeServerBuilder[Task](executionContext = s) .bindHttp(httpPort, "localhost") .withoutBanner .withNio2(true) .withHttpApp(routes.orNotFound) .allocated .map { case (_, stop) => new HttpServer(stop) } .runToFuture }
Example 28
Source File: CategoryRoutes.scala From pfps-shopping-cart with Apache License 2.0 | 5 votes |
package shop.http.routes import cats._ import org.http4s._ import org.http4s.dsl.Http4sDsl import org.http4s.server.Router import shop.algebras.Categories import shop.http.json._ final class CategoryRoutes[F[_]: Defer: Monad]( categories: Categories[F] ) extends Http4sDsl[F] { private[routes] val prefixPath = "/categories" private val httpRoutes: HttpRoutes[F] = HttpRoutes.of[F] { case GET -> Root => Ok(categories.findAll) } val routes: HttpRoutes[F] = Router( prefixPath -> httpRoutes ) }
Example 29
Source File: Pure.scala From pfhais with Creative Commons Attribution Share Alike 4.0 International | 5 votes |
package com.wegtam.books.pfhais.pure import cats.effect._ import cats.implicits._ //import cats.syntax.all._ import com.typesafe.config._ import com.wegtam.books.pfhais.pure.api._ import com.wegtam.books.pfhais.pure.config._ import com.wegtam.books.pfhais.pure.db._ import doobie._ import eu.timepit.refined.auto._ import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze._ import pureconfig._ import scala.io.StdIn object Pure extends IOApp { @SuppressWarnings( Array( "org.wartremover.warts.Any", "scalafix:DisableSyntax.null" ) ) def run(args: List[String]): IO[ExitCode] = { val migrator: DatabaseMigrator[IO] = new FlywayDatabaseMigrator val program = for { (apiConfig, dbConfig) <- IO { val cfg = ConfigFactory.load(getClass().getClassLoader()) // TODO Think about alternatives to `Throw`. ( loadConfigOrThrow[ApiConfig](cfg, "api"), loadConfigOrThrow[DatabaseConfig](cfg, "database") ) } ms <- migrator.migrate(dbConfig.url, dbConfig.user, dbConfig.pass) tx = Transactor .fromDriverManager[IO](dbConfig.driver, dbConfig.url, dbConfig.user, dbConfig.pass) repo = new DoobieRepository(tx) productRoutes = new ProductRoutes(repo) productsRoutes = new ProductsRoutes(repo) routes = productRoutes.routes <+> productsRoutes.routes httpApp = Router("/" -> routes).orNotFound server = BlazeServerBuilder[IO].bindHttp(apiConfig.port, apiConfig.host).withHttpApp(httpApp) fiber = server.resource.use(_ => IO(StdIn.readLine())).as(ExitCode.Success) } yield fiber program.attempt.unsafeRunSync match { case Left(e) => IO { println("*** An error occured! ***") if (e ne null) { println(e.getMessage) } ExitCode.Error } case Right(r) => r } } }
Example 30
Source File: Http4sMain.scala From advanced-scala-code with Apache License 2.0 | 5 votes |
import java.util.UUID import cats.effect.IO import scala.util.Try case class Person(name: String, age: Int) object Endpoints { import org.http4s._ import org.http4s.dsl.io._ val helloWorldService = HttpRoutes.of[IO] { case GET -> Root / "hello" / IntVar(number) => Ok(s"Hello, your number is $number") } val asyncRequest = HttpRoutes.of[IO] { case GET -> Root / "async" => Ok { IO.async[String] { eitherCb => import org.asynchttpclient.Dsl._ val whenResponse = asyncHttpClient. prepareGet("https://httpbin.org/get").execute() whenResponse.toCompletableFuture.whenComplete((res, th) => { if (th != null) { eitherCb(Left(th)) } else eitherCb(Right(res.getResponseBody)) }) } } } val jsonRequest = HttpRoutes.of[IO] { case GET -> Root / "json" => import org.http4s.circe._ // EntityEncoder[IO, Json] import io.circe.generic.auto._ // automatic codecs for Person import io.circe.syntax._ // asJson method Ok { Person("Joe", 42).asJson } } val idService = HttpRoutes.of[IO] { case GET -> Root / "id" / UuidVar(id) => Ok(s"Your ID is $id") } val timeService = HttpRoutes.of[IO] { case GET -> Root / "time" => Ok(System.currentTimeMillis().toString) } object UuidVar { def unapply(s: String): Option[UUID] = { Try { UUID.fromString(s) }.toOption } } } import cats.effect.{ExitCode, IO, IOApp} object Http4sMain extends IOApp { import Endpoints._ import cats.implicits._ import org.http4s.implicits._ import org.http4s.server.blaze._ import org.http4s.server.Router val api = helloWorldService <+> timeService <+> idService <+> asyncRequest <+> jsonRequest val httpApp = Router("/" -> api).orNotFound def run(args: List[String]): IO[ExitCode] = BlazeServerBuilder[IO] .bindHttp(8080) .withHttpApp(httpApp) .serve .compile .drain .as(ExitCode.Success) }
Example 31
Source File: ExampleApp.scala From caliban with Apache License 2.0 | 5 votes |
package caliban.http4s import caliban.ExampleData._ import caliban.ExampleService.ExampleService import caliban.{ ExampleApi, ExampleService, Http4sAdapter } import cats.data.Kleisli import cats.effect.Blocker import org.http4s.StaticFile import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.middleware.CORS import zio._ import zio.blocking.Blocking import zio.interop.catz._ import scala.concurrent.ExecutionContext object ExampleApp extends App { type ExampleTask[A] = RIO[ZEnv with ExampleService, A] override def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = ZIO .runtime[ZEnv with ExampleService] .flatMap(implicit runtime => for { blocker <- ZIO.access[Blocking](_.get.blockingExecutor.asEC).map(Blocker.liftExecutionContext) interpreter <- ExampleApi.api.interpreter _ <- BlazeServerBuilder[ExampleTask](ExecutionContext.global) .bindHttp(8088, "localhost") .withHttpApp( Router[ExampleTask]( "/api/graphql" -> CORS(Http4sAdapter.makeHttpService(interpreter)), "/ws/graphql" -> CORS(Http4sAdapter.makeWebSocketService(interpreter)), "/graphiql" -> Kleisli.liftF(StaticFile.fromResource("/graphiql.html", blocker, None)) ).orNotFound ) .resource .toManaged .useForever } yield () ) .provideCustomLayer(ExampleService.make(sampleCharacters)) .exitCode }
Example 32
Source File: AuthExampleApp.scala From caliban with Apache License 2.0 | 5 votes |
package caliban.http4s import caliban.GraphQL._ import caliban.schema.GenericSchema import caliban.{ Http4sAdapter, RootResolver } import org.http4s.HttpRoutes import org.http4s.dsl.Http4sDsl import org.http4s.implicits._ import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.{ Router, ServiceErrorHandler } import org.http4s.util.CaseInsensitiveString import zio._ import zio.interop.catz._ import zio.interop.catz.implicits._ import scala.concurrent.ExecutionContext object AuthExampleApp extends CatsApp { // Simple service that returns the token coming from the request type Auth = Has[Auth.Service] object Auth { trait Service { def token: String } } type AuthTask[A] = RIO[Auth, A] case class MissingToken() extends Throwable // http4s middleware that extracts a token from the request and eliminate the Auth layer dependency object AuthMiddleware { def apply(route: HttpRoutes[AuthTask]): HttpRoutes[Task] = Http4sAdapter.provideLayerFromRequest( route, _.headers.get(CaseInsensitiveString("token")) match { case Some(value) => ZLayer.succeed(new Auth.Service { override def token: String = value.value }) case None => ZLayer.fail(MissingToken()) } ) } // http4s error handler to customize the response for our throwable object dsl extends Http4sDsl[Task] import dsl._ val errorHandler: ServiceErrorHandler[Task] = _ => { case MissingToken() => Forbidden() } // our GraphQL API val schema: GenericSchema[Auth] = new GenericSchema[Auth] {} import schema._ case class Query(token: RIO[Auth, String]) private val resolver = RootResolver(Query(ZIO.access[Auth](_.get[Auth.Service].token))) private val api = graphQL(resolver) override def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = (for { interpreter <- api.interpreter route = AuthMiddleware(Http4sAdapter.makeHttpService(interpreter)) _ <- BlazeServerBuilder[Task](ExecutionContext.global) .withServiceErrorHandler(errorHandler) .bindHttp(8088, "localhost") .withHttpApp(Router[Task]("/api/graphql" -> route).orNotFound) .resource .toManaged .useForever } yield ()).exitCode }
Example 33
Source File: ExampleApp.scala From caliban with Apache License 2.0 | 5 votes |
package caliban.tapir import caliban.interop.tapir._ import caliban.tapir.Endpoints._ import caliban.{ GraphQL, Http4sAdapter } import cats.data.Kleisli import cats.effect.Blocker import org.http4s.StaticFile import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.middleware.CORS import sttp.tapir.server.ServerEndpoint import zio._ import zio.blocking.Blocking import zio.interop.catz._ import zio.interop.catz.implicits._ import scala.concurrent.ExecutionContext object ExampleApp extends CatsApp { // approach 1: using `Endpoint` and providing the logic val graphql: GraphQL[Any] = addBook.toGraphQL((bookAddLogic _).tupled) |+| deleteBook.toGraphQL((bookDeleteLogic _).tupled) |+| booksListing.toGraphQL((bookListingLogic _).tupled) // approach 2: using the `ServerEndpoint` where logic is already provided type MyIO[+A] = IO[String, A] val addBookEndpoint: ServerEndpoint[(Book, String), String, Unit, Nothing, MyIO] = addBook.serverLogic[MyIO] { case (book, token) => bookAddLogic(book, token).either } val deleteBookEndpoint: ServerEndpoint[(String, String), String, Unit, Nothing, MyIO] = deleteBook.serverLogic[MyIO] { case (title, token) => bookDeleteLogic(title, token).either } val booksListingEndpoint: ServerEndpoint[(Option[Int], Option[Int]), Nothing, List[Book], Nothing, UIO] = booksListing.serverLogic[UIO] { case (year, limit) => bookListingLogic(year, limit).map(Right(_)) } val graphql2: GraphQL[Any] = addBookEndpoint.toGraphQL |+| deleteBookEndpoint.toGraphQL |+| booksListingEndpoint.toGraphQL override def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = (for { blocker <- ZIO.access[Blocking](_.get.blockingExecutor.asEC).map(Blocker.liftExecutionContext) interpreter <- graphql.interpreter _ <- BlazeServerBuilder[Task](ExecutionContext.global) .bindHttp(8088, "localhost") .withHttpApp( Router[Task]( "/api/graphql" -> CORS(Http4sAdapter.makeHttpService(interpreter)), "/graphiql" -> Kleisli.liftF(StaticFile.fromResource("/graphiql.html", blocker, None)) ).orNotFound ) .resource .toManaged .useForever } yield ()).exitCode }
Example 34
Source File: FederatedApp.scala From caliban with Apache License 2.0 | 5 votes |
package caliban.federation import caliban.Http4sAdapter import caliban.federation.FederationData.characters.sampleCharacters import caliban.federation.FederationData.episodes.sampleEpisodes import cats.data.Kleisli import cats.effect.Blocker import org.http4s.StaticFile import org.http4s.implicits._ import org.http4s.server.Router import org.http4s.server.blaze.BlazeServerBuilder import org.http4s.server.middleware.CORS import zio._ import zio.blocking.Blocking import zio.interop.catz._ import scala.concurrent.ExecutionContext object FederatedApp extends CatsApp { type ExampleTask[A] = RIO[ZEnv, A] val service1 = CharacterService .make(sampleCharacters) .memoize .use(layer => for { blocker <- ZIO.access[Blocking](_.get.blockingExecutor.asEC).map(Blocker.liftExecutionContext) interpreter <- FederatedApi.Characters.api.interpreter.map(_.provideCustomLayer(layer)) _ <- BlazeServerBuilder[ExampleTask](ExecutionContext.global) .bindHttp(8089, "localhost") .withHttpApp( Router[ExampleTask]( "/api/graphql" -> CORS(Http4sAdapter.makeHttpService(interpreter)), "/graphiql" -> Kleisli.liftF(StaticFile.fromResource("/graphiql.html", blocker, None)) ).orNotFound ) .resource .toManaged .useForever } yield () ) val service2 = EpisodeService .make(sampleEpisodes) .memoize .use(layer => for { blocker <- ZIO.access[Blocking](_.get.blockingExecutor.asEC).map(Blocker.liftExecutionContext) interpreter <- FederatedApi.Episodes.api.interpreter.map(_.provideCustomLayer(layer)) _ <- BlazeServerBuilder[ExampleTask](ExecutionContext.global) .bindHttp(8088, "localhost") .withHttpApp( Router[ExampleTask]( "/api/graphql" -> CORS(Http4sAdapter.makeHttpService(interpreter)), "/graphiql" -> Kleisli.liftF(StaticFile.fromResource("/graphiql.html", blocker, None)) ).orNotFound ) .resource .toManaged .useForever } yield () ) override def run(args: List[String]): ZIO[ZEnv, Nothing, ExitCode] = (service1 race service2).exitCode }
Example 35
Source File: ServerTest.scala From zio-metrics with Apache License 2.0 | 5 votes |
package zio.metrics import zio.console.putStrLn import zio.metrics.dropwizard._ import zio.metrics.dropwizard.Server._ import zio.metrics.dropwizard.helpers._ import zio.metrics.dropwizard.reporters._ import zio.{ App, RIO, Task } import java.util.concurrent.TimeUnit import scala.util.Properties.envOrNone import zio.interop.catz._ import org.http4s.implicits._ import org.http4s.server.Router import com.codahale.metrics.MetricRegistry import zio.ExitCode object ServerTest extends App { val port: Int = envOrNone("HTTP_PORT").fold(9090)(_.toInt) println(s"Starting server on port $port") val testServer: RIO[ Registry with Reporters, MetricRegistry ] = for { r <- getCurrentRegistry() _ <- jmx(r) _ <- helpers.console(r, 30, TimeUnit.SECONDS) c <- counter.register(Show.fixClassName(DropwizardTest.getClass()), Array("test", "counter")) _ <- c.inc() _ <- c.inc(2.0) t <- timer.register("DropwizardTimer", Array("test", "timer")) ctx <- t.start() _ <- RIO.foreach( List( Thread.sleep(1000L), Thread.sleep(1400L), Thread.sleep(1200L) ) )(_ => t.stop(ctx)) } yield r val httpApp = (registry: MetricRegistry) => Router( "/metrics" -> Server.serveMetrics(registry) ).orNotFound override def run(args: List[String]) = { println("Starting tests") val kApp: Task[KleisliApp] = testServer .map(r => httpApp(r)) .provideLayer(Registry.live ++ Reporters.live) val app: RIO[HttpEnvironment, Unit] = kApp >>= builder println(s"App: $app") app .catchAll(t => putStrLn(s"$t")) .run .map(r => { println(s"Exiting $r"); ExitCode.success }) } }