Elasticsearch 6.5.4 自定义过滤器插件

1. 借鉴

Elasticsearch自定义过滤插件实现复杂逻辑过滤
还有其他技术文档,比如官网,google上面的一堆,但是都是复制来复制去,计算评分的例子,唉。。

2. 开始

示例插件:过滤指定日期内的最小价格

2019-08-25_20-00-49.png

2.1 创建索引

PUT /demo

POST /demo/_mapping/demo
{
    "properties":{
        "name":{
            "type":"text",
            "analyzer":"ik_max_word",
            "search_analyzer":"ik_smart"
        },
        "counts":{
            "type":"nested",
            "include_in_parent":true,
            "properties":{
                "details":{
                    "type":"nested",
                    "include_in_root":true,
                    "properties":{
                        "level":{
                            "type":"keyword"
                        },
                        "price":{
                            "type":"double"
                        }
                    }
                },
                "date":{
                    "type":"date",
                    "format":"yyyy-MM-dd"
                }
            }
        }
    }
}

2.2 添加测试数据

POST /demo/demo/1
{
  "name": "测试1",
  "counts": [
    {
      "details": [
        {
          "level": "0",
          "price": "10"
        },
        {
          "level": "1",
          "price": "20"
        },
        {
          "level": "2",
          "price": "30"
        }],
        "date": "2019-08-25"
    },
    {
      "details": [
        {
          "level": "0",
          "price": "20"
        },
        {
          "level": "1",
          "price": "30"
        },
        {
          "level": "2",
          "price": "40"
        }],
        "date": "2019-08-26"
    }]
}

POST /demo/demo/2
{
  "name": "测试2",
  "counts": [
    {
      "details": [
        {
          "level": "0",
          "price": "20"
        },
        {
          "level": "1",
          "price": "30"
        },
        {
          "level": "2",
          "price": "40"
        }],
        "date": "2019-08-25"
    },
    {
      "details": [
        {
          "level": "0",
          "price": "50"
        },
        {
          "level": "1",
          "price": "60"
        },
        {
          "level": "2",
          "price": "70"
        }],
        "date": "2019-08-26"
    }]
}

2.3 plugin.xml

需要注意的是plugin.xml文件必须放在assembly文件夹中,与main同级目录

<?xml version="1.0"?>
<assembly>
    <id>plugin</id>
    <formats>
        <format>zip</format>
    </formats>
    <includeBaseDirectory>false</includeBaseDirectory>
    <fileSets>
        <fileSet>
            <directory>${project.basedir}/src/main/resources</directory>
            <outputDirectory>/minPricePlugin</outputDirectory>
        </fileSet>
    </fileSets>
    <dependencySets>
        <dependencySet>
            <outputDirectory>/minPricePlugin</outputDirectory>
            <useProjectArtifact>true</useProjectArtifact>
            <useTransitiveFiltering>true</useTransitiveFiltering>
            <excludes>
                <exclude>org.elasticsearch:elasticsearch</exclude>
                <exclude>org.apache.logging.log4j:log4j-api</exclude>
            </excludes>
        </dependencySet>
    </dependencySets>
</assembly>

2.4 plugin-descriptor.properties

#有些属性已经过时了,可以参考官网
description=minPricePlugin
version=1.0
name=minPricePlugin
#site=${elasticsearch.plugin.site}
#jvm=true
classname=com.ruihong.MinPricePlugin
java.version=1.8
elasticsearch.version=6.5.4
#isolated=${elasticsearch.plugin.isolated}

2.5 pom.xml 配置(关键部分)

<properties>
    <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
    <maven.compiler.source>1.8</maven.compiler.source>
    <maven.compiler.target>1.8</maven.compiler.target>
  </properties>

  <dependencies>
    <dependency>
      <groupId>junit</groupId>
      <artifactId>junit</artifactId>
      <version>4.12</version>
      <scope>test</scope>
    </dependency>

    <dependency>
      <groupId>org.elasticsearch.client</groupId>
      <artifactId>transport</artifactId>
      <version>6.5.4</version>
      <scope>compile</scope>
    </dependency>
  </dependencies>

  <build>
    <plugins>
      <plugin>
        <artifactId>maven-assembly-plugin</artifactId>
        <version>2.3</version>
        <configuration>
          <appendAssemblyId>false</appendAssemblyId>
          <outputDirectory>${project.build.directory}/releases/</outputDirectory>
          <descriptors>
            <descriptor>${basedir}/src/assembly/plugin.xml</descriptor>
          </descriptors>
        </configuration>
        <executions>
          <execution>
            <phase>package</phase>
            <goals>
              <goal>single</goal>
            </goals>
          </execution>
        </executions>
      </plugin>
      <plugin>
        <groupId>org.apache.maven.plugins</groupId>
        <artifactId>maven-compiler-plugin</artifactId>
        <configuration>
          <source>1.8</source>
          <target>1.8</target>
        </configuration>
      </plugin>
    </plugins>
  </build>

2.6 com.ruihong.MinPricePlugin

package com.ruihong;

import com.ruihong.ex02.MinPriceScriptEngine;
import org.elasticsearch.common.settings.Settings;
import org.elasticsearch.plugins.Plugin;
import org.elasticsearch.plugins.ScriptPlugin;
import org.elasticsearch.script.ScriptContext;
import org.elasticsearch.script.ScriptEngine;

import java.util.Arrays;
import java.util.Collection;

public class MinPricePlugin extends Plugin implements ScriptPlugin
{
    @Override
    public ScriptEngine getScriptEngine(Settings settings, Collection<ScriptContext<?>> contexts)
    {
        System.out.println(String.format("contexts: %s", Arrays.toString(contexts.toArray())));
//        log.info("contexts : {} ", Arrays.toString(contexts.toArray()));
        return new MinPriceScriptEngine();
    }
}

2.7 com.ruihong.ex02.MinPriceScriptEngine

package com.ruihong.ex02;

import org.apache.http.impl.nio.reactor.ExceptionEvent;
import org.apache.lucene.index.LeafReaderContext;
import org.elasticsearch.script.FilterScript;
import org.elasticsearch.script.ScriptContext;
import org.elasticsearch.script.ScriptEngine;
import org.elasticsearch.script.SearchScript;

import java.io.IOException;
import java.text.ParseException;
import java.text.SimpleDateFormat;
import java.util.Comparator;
import java.util.Date;
import java.util.List;
import java.util.Map;

public class MinPriceScriptEngine implements ScriptEngine
{
    //每一个线程
    private static final ThreadLocal<SimpleDateFormat> threadLocal = new
            ThreadLocal<SimpleDateFormat>();

    @Override
    public String getType()
    {
        return "min-price";
    }

    @Override
    public <FactoryType> FactoryType compile(String name, String code, ScriptContext<FactoryType> context, Map<String, String> params)
    {
        System.out.println(String.format("MinPriceScriptEngine use params the scriptName %s, scriptSource %s, context %s, params %s", name, code, context.name, params.entrySet()));

        if (!context.equals(FilterScript.CONTEXT))
        {
            throw new IllegalArgumentException(getType() + " scripts cannot be used for context [" + context.name + "]");
        }

        if ("min-price-filter".equals(code))
        {
            FilterScript.Factory factory = (p, lookupl) -> (FilterScript.LeafFactory) ctx ->
                    new FilterScript(p, lookupl, ctx) {
                        @Override
                        public boolean execute()
                        {
                            try
                            {
                                final Double min = Double.valueOf(p.get("price-gte").toString());
                                final Double max = Double.valueOf(p.get("price-lt").toString());
                                final Date start = covertDateStrToDate(p.get("time-gte").toString(), "yyyy-MM-dd");
                                final Date end = covertDateStrToDate(p.get("time-lt").toString(), "yyyy-MM-dd");
                                final String level = p.get("level").toString();

                                Double minPrice = ((List<Map<String, Object>>) lookupl.source().get("counts"))
                                        .stream().filter(item ->
                                        {
                                            Date sellDate = covertDateStrToDate(item.get("date").toString(), "yyyy-MM-dd");
                                            return sellDate.compareTo(start) >= 0 && sellDate.compareTo(end) < 0);
                                        })
                                        .flatMap(item -> ((List<Map<String, Object>>) item.get("details")).stream())
                                        .filter(item -> item.get("level").toString().equals(level))
                                        .map(item -> Double.valueOf(item.get("price").toString()))
                                        .min(Comparator.naturalOrder())
                                        .orElse(-1.0);
                                if (minPrice >= min && minPrice < max)
                                {
                                    return true;
                                }
                            }catch (Exception ex)
                            {
                                ex.printStackTrace();
                            }
                            return false;
                        }
                    };
            return context.factoryClazz.cast(factory);
        }
        throw new IllegalArgumentException("Unknown script name " + code);
    }

    public static Date covertDateStrToDate(String dateStr, String format)
    {
        SimpleDateFormat sdf = null;
        sdf = threadLocal.get();
        if (sdf == null)
        {
            sdf = new SimpleDateFormat(format);
        }

        Date date = null;
        try
        {
            date = sdf.parse(dateStr);
        } catch (ParseException e)
        {
            e.printStackTrace();
        }
        return date;
    }
}

2.8 打包

maven clean install -Dmaven.test.skip=true

2019-08-25_21-00-06.png

将releases目录下的zip放到es的plugins目录下,解压zip并重启es

2.9 测试

使用kibana

GET /demo/_search
{
  "query": {
    "bool": {
      "filter": {
        "script": {
          "script": {
            "source": "min-price-filter",
            "lang": "min-price",
            "params": {
              "price-gte": "0",
              "price-lt": "100",
              "level": "0",
              "time-gte": "2019-08-25",
              "time-lt": "2019-08-26"
            }
          }
        }
      }
    }
  }
}

或者是使用rest api

public interface ElasticsearchPluginConstants
{
    // 最低价插件
    interface MinPrice
    {
        String SOURCE = "min-price-filter";
        String LANG = "min-price";

        interface Param
        {
            String PARAM_PRICE_GTE = "price-gte";
            String PARAM_PRICE_LT = "price-lt";
            String PARAM_LEVEL = "level";
            String PARAM_TIME_GTE = "time-gte";
            String PARAM_TIME_LT = "time-lt";
        }
    }
}
Map<String, Object> params = new HashMap<>();        
params.put(ElasticsearchPluginConstants.MinPrice.Param.PARAM_LEVEL, "0");
params.put(ElasticsearchPluginConstants.MinPrice.Param.PARAM_PRICE_GTE,  0);
params.put(ElasticsearchPluginConstants.MinPrice.Param.PARAM_PRICE_LT,  100);
params.put(ElasticsearchPluginConstants.MinPrice.Param.PARAM_TIME_GTE, "2019-08-25");
params.put(ElasticsearchPluginConstants.MinPrice.Param.PARAM_TIME_LT, "2019-08-26");
boolQueryBuilder.filter(QueryBuilders.scriptQuery(new Script(ScriptType.INLINE, ElasticsearchPluginConstants.MinPrice.LANG, ElasticsearchPluginConstants.MinPrice.SOURCE, params)));

3. 大功告成

这里进行判断context是否是:FilterScript.CONTEXT,由此可见还有其他类型,这个用idea看下包结构,看下继承关系就能定义其他插件了。另外,es的版本差别真的有点大。

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 215,245评论 6 497
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 91,749评论 3 391
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 160,960评论 0 350
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 57,575评论 1 288
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,668评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,670评论 1 294
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,664评论 3 415
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,422评论 0 270
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,864评论 1 307
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,178评论 2 331
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,340评论 1 344
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,015评论 5 340
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,646评论 3 323
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,265评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,494评论 1 268
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,261评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,206评论 2 352

推荐阅读更多精彩内容