8

我正在尝试定义HttpService接收json并将其解析为带有json4s库的案例类:

import org.http4s._
import org.http4s.dsl._
import org.json4s._
import org.json4s.native.JsonMethods._

case class Request(firstName: String, secondName: String)

HttpService {
  case req @ POST -> Root =>
    val request = parse(<map req.body or req.bodyAsText to JsonInput>).extract[Request]
    Ok()
}

我怎样才能org.json4s.JsonInputreq.bodyor得到req.bodyAsText

我知道json4s也有StringInputStreamInput并且继承自JsonInput用于使用StringInputStream所以我认为我需要转换req.bodyInputStreamreq.bodyAsTextString但我仍然不明白如何。

我是 Scala 的新手,我还没有完全理解一些概念,例如scalaz.stream.Process.

4

3 回答 3

6

彼得的解决方案既纠正了问题又回答了它,但我在这里偶然发现了 OP 声明但不是有意的问题的解决方案:“如何将请求正文作为 [...] InputStream” in http4s. 感谢GitHub 上第634 期的讨论,这就是我想出的:

import java.io.InputStream
import org.http4s._
implicit val inputStreamDecoder: EntityDecoder[InputStream] = 
    EntityDecoder.decodeBy(MediaRange.`*/*`) { msg =>
  DecodeResult.success(scalaz.stream.io.toInputStream(msg.body))
}

然后在您的 HttpService 中,像这样使用该解码器:

request.as[InputStream].flatMap { inputStream => ...inputStream is an InputStream... }

或者,如果您愿意,可以跳过整个解码器舞蹈:

val inputStream = scalaz.stream.io.toInputStream(request.body)
于 2016-10-02T00:08:19.153 回答
5

您可以使用http4s-json4s-jackson(or http4s-json4s-native) 包并使用 an从请求org.http4s.EntityDecoder中轻松获取Foo(我将您的Request案例类重命名为Foo下面)。

EntityDecoder是一个类型类,它可以从请求正文中解码实体。我们想要以FooJSON 格式发布,因此我们需要创建一个EntityDecoder[Foo]可以解码 JSON 的文件。如果我们想使用 json4s 创建这个解码器,我们需要一个Reader(或一个JsonFormat)。

如果您有EntityDecoder[Foo]实例,我们可以Foo从请求中获取req.as[Foo].

import org.json4s._
import org.json4s.jackson.JsonMethods._

import org.http4s._
import org.http4s.dsl._
import org.http4s.json4s.jackson._

case class Foo(firstName: String, secondName: String)

// create a json4s Reader[Foo]
implicit val formats = DefaultFormats
implicit val fooReader = new Reader[Foo] { 
  def read(value: JValue): Foo = value.extract[Foo] 
}
// create a http4s EntityDecoder[Foo] (which uses the Reader)
implicit val fooDec = jsonOf[Foo]

val service = HttpService {
  case req @ POST -> Root => 
    // req.as[Foo] gives us a Task[Foo]
    // and since Ok(...) gives a Task[Response] we need to use flatMap
    req.as[Foo] flatMap ( foo => Ok(foo.firstName + " " + foo.secondName) )
}

注意:最常与 http4s 一起使用的 json 库可能是argonautcirce。因此,您可能会使用其中一个库找到更多 http4s 示例。

于 2016-05-04T22:54:41.720 回答
1

在调用 Http4s 服务来解码来自它的响应之前,您可以flatMap其中使用and :as

@Test def `Get json gives valid contact`: Unit = {
    val request = Request[IO](GET, uri"/contact")
    val io = Main.getJsonWithContact.orNotFound.run(request)
    // here is magic
    val response = io.flatMap(_.as[Json]).unsafeRunSync()

    val contact = contactEncoder(Contact(1, "Denis", "123"))  // this is encoding to json for assertion
    assertEquals(contact, response)
}

这就是类型在这里的工作方式:

val io: IO[Response[IO]] = Main.getJsonWithContact.orNotFound.run(request)
val response: IO[Json] = io.flatMap(_.as[Json])
val res: Json = response.unsafeRunSync()

as[String]将像这样返回字符串。

于 2020-01-23T18:33:37.217 回答