我正在尝试编写一段代码,这些代码将使用代码行(公司的证券交易所代码),并从REST API中为每个代码行获取公司信息。
我想异步获取多个公司的信息。
我想将结果连续保存到文件中,因为整个数据集可能不适合内存。
在我可以在这个主题上搜索到的有关akka流和资源的文档之后,我提出了以下代码(为简便起见,省略了某些部分):
implicit val actorSystem: ActorSystem = ActorSystem("stock-fetcher-system")
implicit val materializer: ActorMaterializer = ActorMaterializer(None, Some("StockFetcher"))(actorSystem)
implicit val context = system.dispatcher
import CompanyJsonMarshaller._
val parallelism = 10
val connectionPool = Http().cachedHostConnectionPoolHttps[String](s"api.iextrading.com")
val listOfSymbols = symbols.toList
val outputPath = "out.txt"
Source(listOfSymbols)
.mapAsync(parallelism) {
stockSymbol => Future(HttpRequest(uri = s"https://api.iextrading.com/1.0/stock/${stockSymbol.symbol}/company"), stockSymbol.symbol)
}
.via(connectionPool)
.map {
case (Success(response), _) => Unmarshal(response.entity).to[Company]
case (Failure(ex), symbol) => println(s"Unable to fetch char data for $symbol") "x"
}
.runWith(FileIO.toPath(new File(outputPath).toPath, Set(StandardOpenOption.APPEND)))
.onComplete { _ =>
bufferedSource.close
actorSystem.terminate()
}
这是有问题的行:
runWith(FileIO.toPath(new File(outputPath).toPath, Set(StandardOpenOption.APPEND)))
无法编译,编译器给了我这个神秘的错误:
Type mismatch, expected Graph[SinkShape[Any, NotInferedMat2], actual Sink[ByeString, Future[IOResult]]
如果将接收器更改为Sink.ignore或println(_),它将起作用。
我希望能得到更详细的解释。
答案 0 :(得分:0)
正如编译器指示的那样,类型不匹配。在致电.map
...
.map {
case (Success(response), _) =>
Unmarshal(response.entity).to[Company]
case (Failure(ex), symbol) =>
println(s"Unable to fetch char data for $symbol")
"x"
}
...您将返回一个Company
实例或一个String
,因此编译器将最接近的超类型(或“最小上限”)推断为Any
。 Sink
期望类型为ByteString
的输入元素,而不是Any
。
一种方法是将响应发送到文件接收器而不解组响应:
Source(listOfSymbols)
.mapAsync(parallelism) {
...
}
.via(connectionPool)
.map(_.entity.dataBytes) // entity.dataBytes is a Source[ByteString, _]
.flatMapConcat(identity)
.runWith(FileIO.toPath(...))