Scala 读取连续的 http 流

Scala read continuous http stream

如何在 Scala 中连接并读取连续的(分块的)http 流?例如,如果我在 python/bottle:

中编写了这个简单的服务
from gevent import monkey; monkey.patch_all()

import gevent
from bottle import route, run

@route('/stream')
def stream():
    while True:
        yield 'blah\n'
        gevent.sleep(1)

run(host='0.0.0.0', port=8100, server='gevent')

我打算使用 akka-stream 来处理数据,我只需要一种检索数据的方法。

这应该有效。基本上,您对生成分块响应的 uri 执行单个请求。响应实体包含一个数据字节流。在分块响应的情况下,这将是块流。如果是非分块响应 (HttpEntity.Strict),这将是一个只有一个块的流。

显然,您也可以显式匹配实体以查看它是否 HttpEntity.Chunked,但通常您还希望保留处理非分块响应的能力。

在现实世界的应用程序中,您不会使用 runForeach 来执行副作用,而是使用 dataBytes 流进行一些处理。

import akka.actor.ActorSystem
import akka.http.scaladsl.Http
import akka.http.scaladsl.model.{Uri, HttpRequest}
import akka.stream.ActorMaterializer

object ChunkTestClient extends App {

  implicit val system = ActorSystem("test")
  import system.dispatcher

  implicit val materializer = ActorMaterializer()
  val source = Uri("https://jigsaw.w3.org/HTTP/ChunkedScript")
  val finished = Http().singleRequest(HttpRequest(uri = source)).flatMap { response =>
    response.entity.dataBytes.runForeach { chunk =>
      println(chunk.utf8String)
    }
  }
}