- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在尝试在 Elastic Search 中索引包含地理点的数据。当我通过代码索引时,它失败了。当我通过 REST 端点建立索引时,它成功了。但是我找不到通过 REST 端点发送的 JSON 和使用代码发送的 JSON 之间的区别。
这是配置索引的代码(作为 LINQPad 程序):
async Task Main()
{
var pool = new SingleNodeConnectionPool(new Uri("http://localhost:9200"));
var connectionSettings = new ConnectionSettings(pool)
.DefaultMappingFor<DataEntity>(m => m.IndexName("data").TypeName("_doc"));
var client = new ElasticClient(connectionSettings);
await client.CreateIndexAsync(
"data",
index => index.Mappings(mappings => mappings.Map<DataEntity>(mapping => mapping.AutoMap().Properties(
properties => properties.GeoPoint(field => field.Name(x => x.Location))))));
// var data = new DataEntity(new GeoLocationEntity(50, 30));
//
// var json = client.RequestResponseSerializer.SerializeToString(data);
// json.Dump("JSON");
//
// var indexResult = await client.IndexDocumentAsync(data);
// indexResult.DebugInformation.Dump("Debug Information");
}
public sealed class GeoLocationEntity
{
[JsonConstructor]
public GeoLocationEntity(
double latitude,
double longitude)
{
this.Latitude = latitude;
this.Longitude = longitude;
}
[JsonProperty("lat")]
public double Latitude { get; }
[JsonProperty("lon")]
public double Longitude { get; }
}
public sealed class DataEntity
{
[JsonConstructor]
public DataEntity(
GeoLocationEntity location)
{
this.Location = location;
}
[JsonProperty("location")]
public GeoLocationEntity Location { get; }
}
运行后,我的映射看起来是正确的,因为 GET/data/_doc/_mapping
返回:
{
"data" : {
"mappings" : {
"_doc" : {
"properties" : {
"location" : {
"type" : "geo_point"
}
}
}
}
}
}
我可以通过开发控制台成功地将文档添加到索引中:
POST /data/_doc
{
"location": {
"lat": 88.59,
"lon": -98.87
}
}
结果:
{
"_index" : "data",
"_type" : "_doc",
"_id" : "RqpyjGgBZ27KOduFRIxL",
"_version" : 1,
"result" : "created",
"_shards" : {
"total" : 2,
"successful" : 1,
"failed" : 0
},
"_seq_no" : 0,
"_primary_term" : 1
}
但是当我取消注释上面的LINQPad程序中的代码并执行时,在索引时出现这个错误:
Invalid NEST response built from a unsuccessful low level call on POST: /data/_doc
# Audit trail of this API call:
- [1] BadResponse: Node: http://localhost:9200/ Took: 00:00:00.0159927
# OriginalException: Elasticsearch.Net.ElasticsearchClientException: The remote server returned an error: (400) Bad Request.. Call: Status code 400 from: POST /data/_doc. ServerError: Type: mapper_parsing_exception Reason: "failed to parse" CausedBy: "Type: parse_exception Reason: "field must be either [lat], [lon] or [geohash]"" ---> System.Net.WebException: The remote server returned an error: (400) Bad Request.
at System.Net.HttpWebRequest.EndGetResponse(IAsyncResult asyncResult)
at Elasticsearch.Net.HttpWebRequestConnection.<>c__DisplayClass5_0`1.<RequestAsync>b__1(IAsyncResult r)
at System.Threading.Tasks.TaskFactory`1.FromAsyncCoreLogic(IAsyncResult iar, Func`2 endFunction, Action`1 endAction, Task`1 promise, Boolean requiresSynchronization)
--- End of stack trace from previous location where exception was thrown ---
at System.Runtime.CompilerServices.TaskAwaiter.ThrowForNonSuccess(Task task)
at System.Runtime.CompilerServices.TaskAwaiter.HandleNonSuccessAndDebuggerNotification(Task task)
at System.Runtime.CompilerServices.TaskAwaiter.ValidateEnd(Task task)
at Elasticsearch.Net.HttpWebRequestConnection.<RequestAsync>d__5`1.MoveNext()
--- End of inner exception stack trace ---
# Request:
<Request stream not captured or already read to completion by serializer. Set DisableDirectStreaming() on ConnectionSettings to force it to be set on the response.>
# Response:
<Response stream not captured or already read to completion by serializer. Set DisableDirectStreaming() on ConnectionSettings to force it to be set on the response.>
转储的 JSON 如下所示:
{
"location": {
"latitude": 50.0,
"longitude": 30.0
}
}
因此它与开发控制台有效的 JSON 结构相匹配。
为了解决这个问题,我编写了一个自定义 JsonConverter
,它以 {lat},{lon}
格式序列化我的 GeoLocationEntity
对象:
public sealed class GeoLocationConverter : JsonConverter
{
public override bool CanConvert(Type objectType) =>
objectType == typeof(GeoLocationEntity);
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
var token = JToken.Load(reader);
if (!(token is JValue))
{
throw new JsonSerializationException("Token was not a primitive.");
}
var stringValue = (string)token;
var split = stringValue.Split(',');
var latitude = double.Parse(split[0]);
var longitude = double.Parse(split[1]);
return new GeoLocationEntity(latitude, longitude);
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
var geoLocation = (GeoLocationEntity)value;
if (geoLocation == null)
{
writer.WriteNull();
return;
}
var geoLocationValue = $"{geoLocation.Latitude},{geoLocation.Longitude}";
writer.WriteValue(geoLocationValue);
}
}
将此 JsonConverter
应用于序列化程序设置让我解决了这个问题。但是,我不想像这样解决这个问题。
谁能告诉我如何解决这个问题?
最佳答案
6.x Elasticsearch 高级客户端 NEST 通过以下方式内部化了 Json.NET 依赖项
内部
Nest.*
下重命名它们这实际上意味着客户端不直接依赖于 Json.NET(阅读 release blog post 以了解我们这样做的原因)并且不知道 Json.NET 类型,包括 JsonPropertyAttribute
或 JsonConverter
。
有几种方法可以解决这个问题。首先,以下设置在开发过程中可能会有帮助
var defaultIndex = "default-index";
var pool = new SingleNodeConnectionPool(new Uri("http://localhost:9200"));
var settings = new ConnectionSettings(pool)
.DefaultMappingFor<DataEntity>(m => m
.IndexName(defaultIndex)
.TypeName("_doc")
)
.DisableDirectStreaming()
.PrettyJson()
.OnRequestCompleted(callDetails =>
{
if (callDetails.RequestBodyInBytes != null)
{
Console.WriteLine(
$"{callDetails.HttpMethod} {callDetails.Uri} \n" +
$"{Encoding.UTF8.GetString(callDetails.RequestBodyInBytes)}");
}
else
{
Console.WriteLine($"{callDetails.HttpMethod} {callDetails.Uri}");
}
Console.WriteLine();
if (callDetails.ResponseBodyInBytes != null)
{
Console.WriteLine($"Status: {callDetails.HttpStatusCode}\n" +
$"{Encoding.UTF8.GetString(callDetails.ResponseBodyInBytes)}\n" +
$"{new string('-', 30)}\n");
}
else
{
Console.WriteLine($"Status: {callDetails.HttpStatusCode}\n" +
$"{new string('-', 30)}\n");
}
});
var client = new ElasticClient(settings);
这会将所有请求和响应写入控制台,因此您可以看到客户端从 Elasticsearch 发送和接收的内容。 .DisableDirectStreaming()
在内存中缓冲请求和响应字节,使它们可供传递给 .OnRequestCompleted()
的委托(delegate)使用,因此它对开发很有用,但您将可能不希望在生产中使用它,因为它会带来性能成本。
现在,解决方案:
PropertyNameAttribute
您可以使用PropertyNameAttribute
来命名序列化属性,而不是使用JsonPropertyAttribute
public sealed class GeoLocationEntity
{
public GeoLocationEntity(
double latitude,
double longitude)
{
this.Latitude = latitude;
this.Longitude = longitude;
}
[PropertyName("lat")]
public double Latitude { get; }
[PropertyName("lon")]
public double Longitude { get; }
}
public sealed class DataEntity
{
public DataEntity(
GeoLocationEntity location)
{
this.Location = location;
}
[PropertyName("location")]
public GeoLocationEntity Location { get; }
}
和使用
if (client.IndexExists(defaultIndex).Exists)
client.DeleteIndex(defaultIndex);
var createIndexResponse = client.CreateIndex(defaultIndex, c => c
.Mappings(m => m
.Map<DataEntity>(mm => mm
.AutoMap()
.Properties(p => p
.GeoPoint(g => g
.Name(n => n.Location)
)
)
)
)
);
var indexResponse = client.Index(
new DataEntity(new GeoLocationEntity(88.59, -98.87)),
i => i.Refresh(Refresh.WaitFor)
);
var searchResponse = client.Search<DataEntity>(s => s
.Query(q => q
.MatchAll()
)
);
PropertyNameAttribute
的行为类似于您通常将 JsonPropertAttribute
与 Json.NET 一起使用的方式。
DataMemberAttribute
在这种情况下,这将与 PropertyNameAttribute
相同,如果您不希望您的 POCO 归因于 NEST 类型(尽管我认为 POCO 与 Elasticsearch 相关联,所以将它们绑定(bind)到 .NET Elasticsearch 类型可能不是问题)。
Geolocation
类型您可以将 GeoLocationEntity
类型替换为 Nest 的 GeoLocation
类型,该类型映射到 geo_point
字段数据类型映射。使用这个,少了一个POCO,可以从属性类型推断出正确的映射
public sealed class DataEntity
{
public DataEntity(
GeoLocation location)
{
this.Location = location;
}
[DataMember(Name = "location")]
public GeoLocation Location { get; }
}
// ---
if (client.IndexExists(defaultIndex).Exists)
client.DeleteIndex(defaultIndex);
var createIndexResponse = client.CreateIndex(defaultIndex, c => c
.Mappings(m => m
.Map<DataEntity>(mm => mm
.AutoMap()
)
)
);
var indexResponse = client.Index(
new DataEntity(new GeoLocation(88.59, -98.87)),
i => i.Refresh(Refresh.WaitFor)
);
var searchResponse = client.Search<DataEntity>(s => s
.Query(q => q
.MatchAll()
)
);
NEST 允许 custom serializer to be hooked up , 负责序列化您的类型。一个单独的 nuget 包,NEST.JsonNetSerializer ,允许您使用 Json.NET 序列化您的类型,序列化程序将 NEST 类型的属性委托(delegate)回内部序列化程序。
首先,您需要将 JsonNetSerializer 传递给 ConnectionSettings
构造函数
var settings = new ConnectionSettings(pool, JsonNetSerializer.Default)
然后您的原始代码将按预期工作,无需自定义 JsonConverter
public sealed class GeoLocationEntity
{
public GeoLocationEntity(
double latitude,
double longitude)
{
this.Latitude = latitude;
this.Longitude = longitude;
}
[JsonProperty("lat")]
public double Latitude { get; }
[JsonProperty("lon")]
public double Longitude { get; }
}
public sealed class DataEntity
{
public DataEntity(
GeoLocationEntity location)
{
this.Location = location;
}
[JsonProperty("location")]
public GeoLocationEntity Location { get; }
}
// ---
if (client.IndexExists(defaultIndex).Exists)
client.DeleteIndex(defaultIndex);
var createIndexResponse = client.CreateIndex(defaultIndex, c => c
.Mappings(m => m
.Map<DataEntity>(mm => mm
.AutoMap()
.Properties(p => p
.GeoPoint(g => g
.Name(n => n.Location)
)
)
)
)
);
var indexResponse = client.Index(
new DataEntity(new GeoLocationEntity(88.59, -98.87)),
i => i.Refresh(Refresh.WaitFor)
);
var searchResponse = client.Search<DataEntity>(s => s
.Query(q => q
.MatchAll()
)
);
我最后列出此选项是因为在内部,以这种方式将序列化移交给 Json.NET 会产生性能和分配开销。包含它是为了提供灵 active ,但我建议仅在您确实需要时才使用它,例如,在序列化结构不是常规的情况下完成 POCO 的自定义序列化。我们正在努力实现更快的序列化,将来会减少这种开销。
关于c# - ElasticSearch 索引通过 REST API 工作,但不是 C# 代码,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54383692/
我在这里有一个问题,我不知道这是否正常。 但是我认为这里有些湖,安装插件elasticsearch-head之后,我在浏览器中启动url“http://localhost:9200/_plugin/h
我写了这个 flex 搜索查询: es.search(index=['ind1'],doc_type=['doc']) 我得到以下结果: {'_shards': {'failed': 0, 'skip
在ElasticSearch.Net v.5中,存在一个属性 Elasticsearch.Net.RequestData.Path ,该属性在ElasticSearch.Net v.6中已成为depr
如何让 elasticsearch 应用新配置?我更改了文件 ~ES_HOME/config/elasticsearch.yml 中的一个字符串: # Disable HTTP completely:
我正在尝试使用以下分析器在 elastic serach 7.1 中实现部分子字符串搜索 PUT my_index-001 { "settings": { "analysis": {
假设一个 elasticsearch 服务器在很短的时间内接收到 100 个任务。有些任务很短,有些任务很耗时,有些任务是删除任务,有些是插入和搜索查询。 elasticsearch 是如何决定先运行
我需要根据日期过滤一组值(在此处添加字段),然后按 device_id 对其进行分组。所以我正在使用以下东西: { "aggs":{ "dates_between":{ "fi
我在 Elasticsearch 中有一个企业索引。索引中的每个文档代表一个业务,每个业务都有business_hours。我试图允许使用星期几和时间过滤营业时间。例如,我们希望能够进行过滤,以显示我
我有一个这样的过滤查询 query: { filtered: { query: { bool: { should: [{multi_match: {
Elasticsearch 相当新,所以可能不得不忍受我,我遇到了一个问题,如果我使用 20 个字符或更少的字符搜索文档,文档会出现,但是查询中同一个单词中的任何更多字符,我没有结果: 使用“苯氧甲基
我试图更好地理解 ElasticSearch 的内部结构,所以我想知道 ElasticSearch 在内部计算以下两种情况的术语统计信息的方式是否存在任何差异。 第一种情况是当我有这样的文件时: {
在我的 elasticsearch 索引中,我索引了一堆工作。为简单起见,我们只说它们是一堆职位。当人们在我的搜索引擎中输入职位时,我想“自动完成”可能的匹配。 我在这里调查了完成建议:http://
我在很多映射中使用多字段。在 Elastic Search 的文档中,指示应将多字段替换为“fields”参数。参见 http://www.elasticsearch.org/guide/en/ela
我有如下查询, query = { "query": {"query_string": {"query": "%s" % q}}, "filter":{"ids
我有一个Json数据 "hits": [ { "_index": "outboxprov1", "_type": "deleted-c
这可能是一个初学者的问题,但我对大小有一些疑问。 根据 Elasticsearch 规范,大小的最大值可以是 10000,我想在下面验证我的理解: 示例查询: GET testindex-2016.0
我在 Elastic Search 中发现了滚动功能,这看起来非常有趣。看了那么多文档,下面的问题我还是不清楚。 如果偏移量已经存在那么为什么要使用滚动? 即将到来的记录呢?假设它完成了所有数据的滚动
我有以下基于注释的 Elasticsearch 配置,我已将索引设置为不被分析,因为我不希望这些字段被标记化: @Document(indexName = "abc", type = "efg
我正在尝试在单个索引中创建多个类型。例如,我试图在host索引中创建两种类型(post,ytb),以便在它们之间创建父子关系。 PUT /ytb { "mappings": { "po
我尝试创建一个简单的模板,包括一些动态模板,但我似乎无法为文档编制索引。 我得到错误: 400 {"error":"MapperParsingException[mapping [_default_]
我是一名优秀的程序员,十分优秀!