我想显示我从搜索localhost:8400/api/v1/search
中得到的json。但我不知道怎么做。
我正在使用Elasticsearch Javascript客户端
我的路线:
'use-strict';
const express = require('express');
const elasticsearch = require('../models/elasticsearch.js');
const router = express.Router();
router.get('/api/v1/search', elasticsearch.search);
用于访问ElasticSearch数据库。
const es = require('elasticsearch');
let esClient = new es.Client({
host: 'localhost:9200',
log: 'info',
apiVersion: '5.3',
requestTimeout: 30000
})
let indexName = "randomindex";
const elasticsearch = {
search() {
return esClient.search({
index: indexName,
q: "test"
})
.then(() => {
console.log(JSON.stringify(body));
// here I want to return a Response with the Content of the body
})
.catch((error) => { console.trace(error.message); });
}
}
module.exports = elasticsearch;
发布于 2017-05-09 08:00:28
首先,快速路线的路由处理程序总是以(request, response, next)
作为其参数。您可以使用响应对象将数据发送回客户端。
不必将elasticsearch.search
方法作为路由处理程序传递,您可以编写自己的路由处理程序并在其中调用elasticsearch.search
,因此仍然可以访问response
对象。例如:
function handleSearch(req, res, next) {
elasticsearch.search()
.then(function(data) {
res.json(data)
})
.catch(next)
}
并按如下方式构造搜索功能:
const elasticsearch = {
search() {
return esClient.search({
index: indexName,
q: "test"
})
.then((body) => body) // just return the body from this method
}
}
这样,您就可以将查询弹性和处理请求的关注点分开。您还可以访问请求对象,以防要将任何查询字符串参数从请求传递给搜索函数。
发布于 2017-05-09 07:42:31
由于您将elasticsearch.search
添加为路由处理程序,因此将使用一些参数调用它。
将search
方法的签名更改为search(req, res)
。
然后打电话给res.send(JSON.stringify(body));
有关更多细节,请参见https://expressjs.com/en/4x/api.html#res
https://stackoverflow.com/questions/43874150
复制相似问题