Creating a custom parser in the ElasticSearch Nest client

I'm very new to elasticsearch using a socket client, I am creating an index using a custom parser, however when testing using parsing, it doesn't seem to be using a custom parser. Mostly not showing edgengram tokens. Is there something I can't see that will make my custom parser default for the index? When I check my mappings with elastichq they show my custom parser.

ConnectionSettings settings = new ConnectionSettings(new Uri("http://localhost:9200"),    defaultIndex: "forum-app");

 IndexSettings indsettings = new IndexSettings();

   var an = new CustomAnalyzer();

   an.CharFilter = new List<string>();
   an.CharFilter.Add("html_strip");
   an.Tokenizer = "edgeNGram";
   an.Filter = new List<string>();
   an.Filter.Add("standard");
   an.Filter.Add("lowercase");
   an.Filter.Add("stop");

indsettings.Analysis.Tokenizers.Add("edgeNGram", new Nest.EdgeNGramTokenizer
{
    MaxGram = 15,
    MinGram = 3
});

indsettings.Analysis.Analyzers.Add("forumanalyzer", an);

ElasticClient client = new ElasticClient(settings);

client.CreateIndex("forum-app", c => c
.NumberOfReplicas(0)
.NumberOfShards(1)
.AddMapping<Forum>(e => e.MapFromAttributes())
.Analysis(analysis => analysis
.Analyzers(a => a
.Add("forumanalyzer", an) 
)));        

//To index I just do this       
client.Index(aForum);

      

+3


source to share


1 answer


You have added your own parser to your index, but now you need to apply it to your fields. You can do it at the field mapping level:

client.CreateIndex("forum-app", c => c
    .NumberOfReplicas(0)
    .NumberOfShards(1)
    .AddMapping<Forum>(e => e
        .MapFromAttributes()
        .Properties(p => p
            .String(s => s.Name(f => f.SomeProperty).Analyzer("formanalyzer")))
    )
    .Analysis(analysis => analysis
        .Analyzers(a => a
            .Add("forumanalyzer", an)
        )
    )
);

      

Or you can apply it to all default fields by setting it as your index's default parser:



client.CreateIndex("forum-app", c => c
    .NumberOfReplicas(0)
    .NumberOfShards(1)
    .AddMapping<Forum>(e => e.MapFromAttributes())
    .Analysis(analysis => analysis
        .Analyzers(a => a
            .Add("default", an)
        )
    )
);

      

More information here regarding the default settings for the analyzer.

+6


source







All Articles