我有以下问题。 我正在向服务器查询一些数据并将其作为HttpEntity.Chunked返回。 响应字符串看起来像这样,最多有10.000.000行,如下所示:
[{"name":"param1","value":122343,"time":45435345},
{"name":"param2","value":243,"time":4325435},
......]
现在我想将传入的数据输入到Array [String]中,其中每个String都是响应中的一行,因为稍后它应该导入到apache spark数据帧中。 目前我这样做是这样的:
//For the http request
trait StartHttpRequest {
implicit val system: ActorSystem
implicit val materializer: ActorMaterializer
def httpRequest(data: String, path: String, targetPort: Int, host: String): Future[HttpResponse] = {
val connectionFlow: Flow[HttpRequest, HttpResponse, Future[OutgoingConnection]] = {
Http().outgoingConnection(host, port = targetPort)
}
val responseFuture: Future[HttpResponse] =
Source.single(RequestBuilding.Post(uri = path, entity = HttpEntity(ContentTypes.`application/json`, data)))
.via(connectionFlow)
.runWith(Sink.head)
responseFuture
}
}
//result of the request
val responseFuture: Future[HttpResponse] = httpRequest(.....)
//convert to string
responseFuture.flatMap { response =>
response.status match {
case StatusCodes.OK =>
Unmarshal(response.entity).to[String]
}
}
//and then something like this, but with even more stupid stuff
responseFuture.onSuccess { str:String =>
masterActor! str.split("""\},\{""")
}
我的问题是,将结果导入数组的更好方法是什么? 如何直接解组响应实体?因为.to [Array [String]]例如不起作用。因为有这么多行,我能用流来做,更有效率吗?
答案 0 :(得分:1)
无序地回答您的问题:
如何直接解组响应实体?
有一个existing question & answer与解组一个案例类数组有关。
将结果导入数组的更好方法是什么?
我会利用Chunked性质并使用流。这允许您同时进行字符串处理和json解析。
首先,您需要一个容器类和解析器:
case class Data(name : String, value : Int, time : Long)
object MyJsonProtocol extends DefaultJsonProtocol {
implicit val dataFormat = jsonFormat3(Data)
}
然后你必须做一些操作才能使json对象看起来正确:
//Drops the '[' and the ']' characters
val dropArrayMarkers =
Flow[ByteString].map(_.filterNot(b => b == '['.toByte || b == ']'.toByte))
val preppendBrace =
Flow[String].map(s => if(!s.startsWith("{")) "{" + s else s)
val appendBrace =
Flow[String].map(s => if(!s.endsWith("}")) s + "}" else s)
val parseJson =
Flow[String].map(_.parseJson.convertTo[Data])
最后,组合这些Flow将ByteString的Source转换为Data对象的源:
def strSourceToDataSource(source : Source[ByteString,_]) : Source[Data, _] =
source.via(dropArrayMarkers)
.via(Framing.delimiter(ByteString("},{"), 256, true))
.map(_.utf8String)
.via(prependBrace)
.via(appendBrace)
.via(parseJson)
然后可以将此源排入Seq
数据对象:
val dataSeq : Future[Seq[Data]] =
responseFuture flatMap { response =>
response.status match {
case StatusCodes.OK =>
strSourceToDataSource(response.entity.dataBytes).runWith(Sink.seq)
}
}