我正在开发一个node.js应用程序,以从弹性集群中获取索引的最新值。我的logstash服务器每秒将数据传输到elasticsearch。因此,elasticsearch索引每秒更新一次。每秒都会有一个新文档添加到elasticsearch索引中。
这是一个示例JSON文档
{
"_index": "weather",
"_type": "doc",
"_id": "eMIs_mQBol0Vk4cfUzG5",
"_version": 1,
"_score": null,
"_source": {
"weather": {
"main": "Clouds",
"icon": "04n",
"description": "broken clouds",
"id": 803
},
"@version": "1",
"clouds": {
"all": 75
},
"main": {
"humidity": 36,
"pressure": 1022,
"temp": 41,
"temp_max": 26,
"temp_min": 26
},
"wind": {
"deg": 360,
"speed": 3.6
},
"visibility": 16093,
"@timestamp": "2018-08-03T05:04:35.134Z",
"name": "Santa Clara"
},
"fields": {
"@timestamp": [
"2018-08-03T05:04:35.134Z"
]
},
"sort": [
1533272675134
]
}
这是桌子的图片,
let express = require('express');
let app = express();
let elasticsearch = require('elasticsearch');
app.get('/', function(req, res) {
res.send('Hello World!');
});
app.listen(3000, function() {
console.log('Example app listening on port 3000!');
});
let client = new elasticsearch.Client({
host: ['http://localhost:9200']
});
client.ping({
requestTimeout: 30000,
}, function(error) {
if (error) {
console.error('elasticsearch cluster is down!');
} else {
console.log('Everything is ok');
}
});
async function getResponse() {
const response = await client.get({
index: 'weather',
type: 'doc',
id: 'KsHW_GQBol0Vk4cfl2WY'
});
console.log(response);
}
getResponse();
我能够根据索引的ID检索JSON文档。但是,我想检索最新的JSON文档。如何配置服务器以每秒从服务器读取最新文档?有没有办法检索最新的JSON文档(无需事先知道ID)?
有人可以帮我吗?如果您能提供帮助,我将不胜感激。
谢谢!
答案 0 :(得分:2)
如果索引中有一个时间戳字段,并且在为每个文档建立索引后更新/添加了该字段。然后,您可以使用 size = 1 在时间戳字段上执行排序。
以下查询将为您提供最新值:
{
"query": {
"match_all": {}
},
"size": 1,
"sort": [
{
"timestamp": {
"order": "desc"
}
}
]
}
不确定node.js的语法,但类似的方法会起作用:
client.search({
index: 'weather',
type: 'doc'
body: {
sort: [{ "timestamp": { "order": "desc" } }],
size: 1,
query: { match_all: {}}
}
});
根据您的映射,您已经 @timestamp ,因此您应该使用:
client.search({
index: 'weather',
type: 'doc'
body: {
sort: [{ "@timestamp": { "order": "desc" } }],
size: 1,
query: { match_all: {}}
}
});