3

我创建了一个 Play 2.1 Scala 应用程序。我不确定从 Play 应用程序调用 Solr 的最佳方式是什么:

  • Play 2 没有 Solr 模块。
  • AFAIK 像 SolrJ 这样的所有 Solr-API 都在阻塞。
  • 我可以将 SolrJ 调用包装到 aFuture中,但这也会阻塞线程,对吗?
  • 我应该使用play.api.libs.ws.WS库来调用 Solr 并使用 Plays JSON 支持来提取结果(如下例所示)还是有任何更简单/更快的方法?

    val solrQuery: Future[play.api.libs.ws.Response] = WS.url("http://localhost:8983/solr/collection1/select?q=id%3A123&wt=json").get()
    
4

3 回答 3

2

以下是我在副项目中使用 WS 的方式:

val itselfNodeFuture = Statix.doParams( Statix.SolrSelectWSReq, 
    List(
    "wt"     -> "json", 
    "q"      -> "*:*",
    "fq"     -> "node_type:collection",
    "fq"     -> "id:%d".format( nodeId),
    "indent" -> "true",
    "rows"   -> "1",
    "fl"     -> "id,parent_id,title",
    "fl"     -> "date_created,date_about,date_modified")
).get()

//Use the first Await after the last future
val itselfJson = Await.result(
    itselfNodeFuture, Duration("2 sec")).json

val mainRow = (itselfJson \ "response" \ "docs").as[ Seq[JsValue]]
val mainNodeParent = (mainRow(0) \ "parent_id").as[Long]
val mainNodeTitle = (mainRow(0) \ "title").as[String]

这是我使用的实用程序类,doParams它特别有用。

object Statix { //Noder must extend this
    def SolrSelectWSReq = WS.url("http://127.0.0.1:8080/solr-store/collection1/select/")
    def SolrUpdateWSReq = WS.url("http://127.0.0.1:8080/solr-store/collection1/update/json/")

    def doParams(request: WS.WSRequestHolder, params: List[(String, String)]) = {
        params.foldLeft( request){
            (wsReq, tuple) => wsReq.withQueryString( tuple)}}
}
于 2013-06-26T08:24:56.950 回答
1

您希望将调用包装在具有自己的Execution context的 Future 中。这样调用可能会阻塞,但它会使用不同的线程池,而不是阻塞主应用程序。

事实上,这是面对阻塞或缓慢任务时的标准行为,例如向数据库发送查询或执行一些繁重的任务。

于 2013-06-24T09:31:41.190 回答
1

最近遇到了这种需求,并没有发现任何有用的谷歌搜索。以下仅用于查询,但可以扩展。我假设您想继续使用 SolrJ 课程。SolrQuery 和 QueryResponse 非常容易使用。

所以去查询。您需要像往常一样构建 SolrQuery。对于“wt”,提供“javabin”。这将以 SolrJ 内部使用的压缩二进制格式为您提供响应。

val sq = new SolrQuery()
sq.set("wt", "javabin")
...

您需要将 SolrQuery 变成 WS 可以理解的东西。(我没有添加所有的导入,因为大多数都可以直接找出[例如,通过您的 IDE]。我包含的那些可能不那么明显。)

import scala.collection.JavaConverters._

def solrQueryToForm(sq: SolrQuery): Map[String, Seq[String]] = {
  sq.getParameterNames.asScala.foldLeft(Map.empty[String, Seq[String]]) {
    case (m, n) =>
      m + (n -> sq.getParams(n))
  }
}

在我的商店中,我们使用默认集合和处理程序(即“/select”),但您希望它们被 SolrQuery 覆盖

def solrEndpoint(sq: SolrQuery): String = {
  val coll = sq.get("collection", defaultCollection)
  val hand = Option(sq.getRequestHandler).getOrElse(defaultHandler)
  formSolrEndpoint(solrUrl, coll, hand)
}

def formSolrEndpoint(base: String, collection: String, handler: String): String = {
  val sb = new StringBuilder(base)
  if (sb.last != '/') sb.append('/')
  sb.append(collection)
  if (!handler.startsWith("/")) sb.append('/')
  sb.append(handler)
  sb.result()
}

您需要一些代码来将 WSResponse 映射到 QueryResponse

import com.ning.http.client.{Response => ACHResponse}

def wsResponseToQueryResponse(wsResponse: WSResponse)(implicit ctx: ExecutionContext): QueryResponse = {
  val jbcUnmarshal = {
    val rbis = wsResponse.underlying[ACHResponse].getResponseBodyAsStream

    try {
      new JavaBinCodec().unmarshal(rbis)
    }
    finally {
      if (rbis != null)
        rbis.close()
    }
  }

  // p1: SolrJ pulls the same cast
  // p2: We didn't use a SolrServer to chat with Solr so cannot provide it to QueryResponse
  new QueryResponse(jbcUnmarshal.asInstanceOf[NamedList[Object]], null)
}

这为您提供了使用 Play 的异步 WS 服务调用 Solr 的所有部分。

def query(sq: SolrQuery)(implicit ctx: ExecutionContext): Future[QueryResponse] = {
  val sqstar = sq.getCopy
  sqstar.set("wt", "javabin")

  WS.url(solrEndpoint(sqstar))
    .post(solrQueryToForm(sqstar))
    .map(wsResponseToQueryResponse)
}

由于 Play 现在将 web 服务代码作为独立的 jar 发布,这意味着几乎任何项目都应该能够异步查询 Solr。希望这很有用。

于 2014-09-11T04:55:03.790 回答