1.引入依赖

<dependency>
<groupId>org.elasticsearch</groupId>
<artifactId>elasticsearch</artifactId>
<version>${elasticsearch.version}</version>
</dependency>
<dependency>
<groupId>org.elasticsearch.client</groupId>
<artifactId>transport</artifactId>
<version>${elasticsearch.version}</version>
</dependency>
<dependency>
<groupId>org.elasticsearch.plugin</groupId>
<artifactId>transport-netty4-client</artifactId>
<version>${elasticsearch.version}</version>
</dependency>
<dependency>
<groupId>org.elasticsearch.client</groupId>
<artifactId>elasticsearch-rest-high-level-client</artifactId>
<version>${elasticsearch.version}</version>
</dependency>
<dependency>
<groupId>org.scala-lang</groupId>
<artifactId>scala-library</artifactId>
<version>2.11.0</version>
</dependency>

2.配置信息:

/**
* 读取client配置信息
* @author
*
*/
@Configuration
@Getter
@Setter
public class ClientConfig { /**
* elk集群地址
*/
@Value("${elasticsearch.ip}")
private String esHostName;
/**
* 端口
*/
@Value("${elasticsearch.port}")
private Integer esPort;
/**
* 集群名称
*/
@Value("${elasticsearch.cluster.name}")
private String esClusterName; /**
* 连接池
*/
@Value("${elasticsearch.pool}")
private Integer esPoolSize; /**
* 是否服务启动时重新创建索引
*/
@Value("${elasticsearch.regenerateIndexEnabled}")
private Boolean esRegenerateIndexFlag; /**
* 是否服务启动时索引数据同步
*/
@Value("${elasticsearch.syncDataEnabled}")
private Boolean esSyncDataEnabled;
}

3.es配置启动类:

import org.elasticsearch.client.transport.TransportClient;
import org.elasticsearch.common.settings.Settings;
import org.elasticsearch.common.transport.TransportAddress;
import org.elasticsearch.transport.client.PreBuiltTransportClient;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration; import java.net.InetAddress; /**
* es配置启动类
* @author
*
*/
@Configuration
public class ElasticsearchConfig {
private static final Logger LOGGER = LoggerFactory.getLogger(ElasticsearchConfig.class); @Autowired
ClientConfig clientConfig; @Bean
public TransportClient init() {
LOGGER.info("初始化开始。。。。。");
TransportClient transportClient = null; try {
/**
* 配置信息
* client.transport.sniff 增加嗅探机制,找到ES集群
* thread_pool.search.size 增加线程池个数,暂时设为5
*/
Settings esSetting = Settings.builder()
.put("client.transport.sniff", true)
.put("thread_pool.search.size", clientConfig.getEsPoolSize())
.build();
//配置信息Settings自定义
transportClient = new PreBuiltTransportClient(esSetting);
TransportAddress transportAddress = new TransportAddress(InetAddress.getByName(clientConfig.getEsHostName()), clientConfig.getEsPort());
transportClient.addTransportAddresses(transportAddress); } catch (Exception e) {
LOGGER.error("elasticsearch TransportClient create error!!!", e);
} return transportClient;
} }

4.操作工具类:

import com.alibaba.fastjson.JSON;
import com.alibaba.fastjson.JSONObject;
import org.apache.commons.lang3.StringUtils;
import org.elasticsearch.action.admin.indices.create.CreateIndexResponse;
import org.elasticsearch.action.admin.indices.delete.DeleteIndexResponse;
import org.elasticsearch.action.admin.indices.exists.indices.IndicesExistsRequest;
import org.elasticsearch.action.admin.indices.exists.indices.IndicesExistsResponse;
import org.elasticsearch.action.admin.indices.mapping.put.PutMappingResponse;
import org.elasticsearch.action.bulk.BackoffPolicy;
import org.elasticsearch.action.bulk.BulkProcessor;
import org.elasticsearch.action.bulk.BulkRequest;
import org.elasticsearch.action.bulk.BulkResponse;
import org.elasticsearch.action.get.GetRequestBuilder;
import org.elasticsearch.action.get.GetResponse;
import org.elasticsearch.action.index.IndexRequest;
import org.elasticsearch.action.index.IndexResponse;
import org.elasticsearch.action.search.SearchRequestBuilder;
import org.elasticsearch.action.search.SearchResponse;
import org.elasticsearch.action.update.UpdateRequest;
import org.elasticsearch.client.transport.TransportClient;
import org.elasticsearch.common.settings.Settings;
import org.elasticsearch.common.text.Text;
import org.elasticsearch.common.transport.TransportAddress;
import org.elasticsearch.common.unit.TimeValue;
import org.elasticsearch.common.xcontent.XContentType;
import org.elasticsearch.index.query.BoolQueryBuilder;
import org.elasticsearch.search.SearchHit;
import org.elasticsearch.search.fetch.subphase.highlight.HighlightBuilder;
import org.elasticsearch.search.fetch.subphase.highlight.HighlightField;
import org.elasticsearch.search.sort.SortOrder;
import org.elasticsearch.transport.client.PreBuiltTransportClient;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.core.io.ClassPathResource;
import org.springframework.stereotype.Component; import javax.annotation.PostConstruct;
import java.io.InputStream;
import java.lang.reflect.Method;
import java.util.ArrayList;
import java.util.List;
import java.util.Map;
import java.util.UUID; public class ElasticsearchUtils { private static final Logger LOGGER = LoggerFactory.getLogger(ElasticsearchUtils.class); @Autowired
private TransportClient transportClient; private static TransportClient client; @PostConstruct
public void init() {
client = this.transportClient;
} /**
* 创建索引以及设置其内容
* @param index
* @param indexType
* @param filePath:json文件路径
*/
public static void createIndex(String index,String indexType,String filePath) throws RuntimeException {
try {
StringBuffer strBuf = new StringBuffer();
//解析json配置
ClassPathResource resource = new ClassPathResource(filePath);
InputStream inputStream = resource.getInputStream(); int len = 0;
byte[] buf = new byte[1024];
while((len=inputStream.read(buf)) != -1) {
strBuf.append(new String(buf, 0, len, "utf-8"));
}
inputStream.close();
//创建索引
createIndex(index);
//设置索引元素
putMapping(index, indexType, strBuf.toString()); }catch(Exception e){
throw new RuntimeException(e.getMessage());
}
} /**
* 创建索引
*
* @param index 索引名称
* @return
*/
public static boolean createIndex(String index){ try {
if (isIndexExist(index)) {
//索引库存在则删除索引
deleteIndex(index);
}
CreateIndexResponse indexresponse = client.admin().indices().prepareCreate(index).setSettings(Settings.builder().put("index.number_of_shards", 5)
.put("index.number_of_replicas", 1)
)
.get();
LOGGER.info("创建索引 {} 执行状态 {}", index , indexresponse.isAcknowledged()); return indexresponse.isAcknowledged();
}catch (Exception e) {
throw new RuntimeException(e.getMessage());
} } /**
* 创建索引
*
* @param index 索引名称
* @param indexType 索引类型
* @param mapping 创建的mapping结构
* @return
*/
public static boolean putMapping(String index,String indexType,String mapping) throws RuntimeException {
if (!isIndexExist(index)) {
throw new RuntimeException("创建索引库"+index+"mapping"+mapping+"结构失败,索引库不存在!");
}
try {
PutMappingResponse indexresponse = client.admin().indices().preparePutMapping(index).setType(indexType).setSource(mapping, XContentType.JSON).get(); LOGGER.info("索引 {} 设置 mapping {} 执行状态 {}", index ,indexType, indexresponse.isAcknowledged()); return indexresponse.isAcknowledged();
}catch (Exception e) {
throw new RuntimeException(e.getMessage());
} } /**
* 判断索引是否存在
*
* @param index
* @return
*/
public static boolean isIndexExist(String index) {
IndicesExistsResponse inExistsResponse = client.admin().indices().exists(new IndicesExistsRequest(index))
.actionGet();
return inExistsResponse.isExists();
} /**
* 删除索引
*
* @param index
* @return
*/
public static boolean deleteIndex(String index) throws RuntimeException{
if (!isIndexExist(index)) {
return true;
}
try {
DeleteIndexResponse dResponse = client.admin().indices().prepareDelete(index).execute().actionGet();
if (dResponse.isAcknowledged()) {
LOGGER.info("delete index " + index + " successfully!");
} else {
LOGGER.info("Fail to delete index " + index);
}
return dResponse.isAcknowledged();
} catch (Exception e) { throw new RuntimeException(e.getMessage());
}
} /**
* 数据添加
*
* @param jsonObject
* 要增加的数据
* @param index
* 索引,类似数据库
* @param type
* 类型,类似表
* @return
*/
public static String addData(JSONObject jsonObject, String index, String type) {
return addData(jsonObject, index, type, UUID.randomUUID().toString().replaceAll("-", "").toUpperCase());
} /**
* 数据添加,正定ID
*
* @param jsonObject
* 要增加的数据
* @param index
* 索引,类似数据库
* @param type
* 类型,类似表
* @param id
* 数据ID
* @return
*/
public static String addData(JSONObject jsonObject, String index, String type, String id)throws RuntimeException {
try {
IndexResponse response = client.prepareIndex(index, type, id).setSource(jsonObject).get(); LOGGER.info("addData response status:{},id:{}", response.status().getStatus(), response.getId()); return response.getId();
} catch (Exception e) {
throw new RuntimeException(e.getMessage());
}
} /**
* 批量数据添加,
*
* @param list
* 要增加的数据
* @param pkName
* 主键id
* @param index
* 索引,类似数据库
* @param type
* 类型,类似表
* @return
*/
public static <T> void addBatchData(List<T> list, String pkName, String index, String type) {
if(list == null || list.isEmpty()) {
return;
}
// 创建BulkPorcessor对象
BulkProcessor bulkProcessor = BulkProcessor.builder(client, new BulkProcessor.Listener() {
@Override
public void beforeBulk(long paramLong, BulkRequest paramBulkRequest) {
// TODO Auto-generated method stub
} // 执行出错时执行
@Override
public void afterBulk(long paramLong, BulkRequest paramBulkRequest, Throwable paramThrowable) {
// TODO Auto-generated method stub
}
@Override
public void afterBulk(long paramLong, BulkRequest paramBulkRequest, BulkResponse paramBulkResponse) {
// TODO Auto-generated method stub
}
})
// 1w次请求执行一次bulk
.setBulkActions(1000)
// 1gb的数据刷新一次bulk
// .setBulkSize(new ByteSizeValue(1, ByteSizeUnit.GB))
// 固定5s必须刷新一次
.setFlushInterval(TimeValue.timeValueSeconds(5))
// 并发请求数量, 0不并发, 1并发允许执行
.setConcurrentRequests(1)
// 设置退避, 100ms后执行, 最大请求3次
.setBackoffPolicy(BackoffPolicy.exponentialBackoff(TimeValue.timeValueMillis(100), 3)).build(); for (T vo : list) {
if(getPkValueByName(vo, pkName)!= null) {
String id = getPkValueByName(vo, pkName).toString();
bulkProcessor.add(new IndexRequest(index, type, id).source(JSON.toJSONString(vo), XContentType.JSON));
} }
bulkProcessor.close();
} /**
* 根据主键名称获取实体类主键属性值
*
* @param clazz
* @param pkName
* @return
*/
private static Object getPkValueByName(Object clazz, String pkName) {
try {
String firstLetter = pkName.substring(0, 1).toUpperCase();
String getter = "get" + firstLetter + pkName.substring(1);
Method method = clazz.getClass().getMethod(getter, new Class[] {});
Object value = method.invoke(clazz, new Object[] {});
return value;
} catch (Exception e) {
return null;
}
} /**
* 通过ID 更新数据
*
* @param jsonObject
* 要增加的数据
* @param index
* 索引,类似数据库
* @param type
* 类型,类似表
* @param id
* 数据ID
* @return
*/
public static void updateDataById(JSONObject jsonObject, String index, String type, String id) throws RuntimeException { try{
UpdateRequest updateRequest = new UpdateRequest(); updateRequest.index(index).type(type).id(id).doc(jsonObject); client.update(updateRequest);
} catch (Exception e) {
throw new RuntimeException(e.getMessage());
}
} /**
* 批量数据更新,
*
* @param list
* 要增加的数据
* @param pkName
* 主键id
* @param index
* 索引,类似数据库
* @param type
* 类型,类似表
* @return
*/
public static <T> void updateBatchData(List<T> list, String pkName, String index, String type) {
// 创建BulkPorcessor对象
BulkProcessor bulkProcessor = BulkProcessor.builder(client, new BulkProcessor.Listener() {
@Override
public void beforeBulk(long paramLong, BulkRequest paramBulkRequest) {
// TODO Auto-generated method stub
} // 执行出错时执行
@Override
public void afterBulk(long paramLong, BulkRequest paramBulkRequest, Throwable paramThrowable) {
// TODO Auto-generated method stub
}
@Override
public void afterBulk(long paramLong, BulkRequest paramBulkRequest, BulkResponse paramBulkResponse) {
// TODO Auto-generated method stub
}
})
// 1w次请求执行一次bulk
.setBulkActions(1000)
// 1gb的数据刷新一次bulk
// .setBulkSize(new ByteSizeValue(1, ByteSizeUnit.GB))
// 固定5s必须刷新一次
.setFlushInterval(TimeValue.timeValueSeconds(5))
// 并发请求数量, 0不并发, 1并发允许执行
.setConcurrentRequests(1)
// 设置退避, 100ms后执行, 最大请求3次
.setBackoffPolicy(BackoffPolicy.exponentialBackoff(TimeValue.timeValueMillis(100), 3)).build(); for (T vo : list) {
String id = getPkValueByName(vo, pkName).toString();
bulkProcessor.add(new UpdateRequest(index, type, id).doc(JSON.toJSONString(vo), XContentType.JSON));
}
bulkProcessor.close();
} /**
* 通过ID获取数据
*
* @param index
* 索引,类似数据库
* @param type
* 类型,类似表
* @param id
* 数据ID
* @param fields
* 需要显示的字段,逗号分隔(缺省为全部字段)
* @return
*/
public static Map<String, Object> searchDataById(String index, String type, String id, String fields) { GetRequestBuilder getRequestBuilder = client.prepareGet(index, type, id); if (StringUtils.isNotEmpty(fields)) {
getRequestBuilder.setFetchSource(fields.split(","), null);
} GetResponse getResponse = getRequestBuilder.execute().actionGet(); return getResponse.getSource();
} /**
* 使用分词查询
*
* @param index
* 索引名称
* @param type
* 类型名称,可传入多个type逗号分隔
* @param clz
* 数据对应实体类
* @param fields
* 需要显示的字段,逗号分隔(缺省为全部字段)
* @param boolQuery
* 查询条件
* @return
*/
public static <T> List<T> searchListData(String index, String type, Class<T> clz, String fields,BoolQueryBuilder boolQuery) {
return searchListData(index, type, clz, 0, fields, null, null,boolQuery);
} /**
* 使用分词查询
*
* @param index
* 索引名称
* @param type
* 类型名称,可传入多个type逗号分隔
* @param clz
* 数据对应实体类
* @param size
* 文档大小限制
* @param fields
* 需要显示的字段,逗号分隔(缺省为全部字段)
* @param sortField
* 排序字段
* @param highlightField
* 高亮字段
* @param boolQuery
* 查询条件
* @return
*/
public static <T> List<T> searchListData(String index, String type, Class<T> clz,
Integer size, String fields, String sortField, String highlightField,BoolQueryBuilder boolQuery) throws RuntimeException{ SearchRequestBuilder searchRequestBuilder = client.prepareSearch(index);
if (StringUtils.isNotEmpty(type)) {
searchRequestBuilder.setTypes(type.split(","));
}
// 高亮(xxx=111,aaa=222)
if (StringUtils.isNotEmpty(highlightField)) {
HighlightBuilder highlightBuilder = new HighlightBuilder();
// 设置高亮字段
highlightBuilder.field(highlightField);
searchRequestBuilder.highlighter(highlightBuilder);
}
searchRequestBuilder.setQuery(boolQuery);
if (StringUtils.isNotEmpty(fields)) {
searchRequestBuilder.setFetchSource(fields.split(","), null);
}
searchRequestBuilder.setFetchSource(true); if (StringUtils.isNotEmpty(sortField)) {
searchRequestBuilder.addSort(sortField, SortOrder.DESC);
}
if (size != null && size > 0) {
searchRequestBuilder.setSize(size);
}
searchRequestBuilder.setScroll(new TimeValue(1000));
searchRequestBuilder.setSize(10000);
// 打印的内容 可以在 Elasticsearch head 和 Kibana 上执行查询
LOGGER.info("\n{}", searchRequestBuilder); SearchResponse searchResponse = searchRequestBuilder.execute().actionGet(); long totalHits = searchResponse.getHits().totalHits;
if(LOGGER.isDebugEnabled()) {
long length = searchResponse.getHits().getHits().length; LOGGER.info("共查询到[{}]条数据,处理数据条数[{}]", totalHits, length);
} if (searchResponse.status().getStatus() ==200) {
// 解析对象
return setSearchResponse(clz, searchResponse, highlightField);
} return null;
} /**
* 高亮结果集 特殊处理
*
* @param clz
* 数据对应实体类
* @param searchResponse
*
* @param highlightField
* 高亮字段
*/
private static <T> List<T> setSearchResponse(Class<T> clz, SearchResponse searchResponse, String highlightField) {
List<T> sourceList = new ArrayList<T>();
for (SearchHit searchHit : searchResponse.getHits().getHits()) {
searchHit.getSourceAsMap().put("id", searchHit.getId());
StringBuffer stringBuffer = new StringBuffer();
if (StringUtils.isNotEmpty(highlightField)) { // System.out.println("遍历 高亮结果集,覆盖 正常结果集" + searchHit.getSourceAsMap());
HighlightField highlight = searchHit.getHighlightFields().get(highlightField);
if(highlight == null) {
continue;
}
Text[] text = highlight.getFragments();
if (text != null) {
for (Text str : text) {
stringBuffer.append(str.string());
}
// 遍历 高亮结果集,覆盖 正常结果集
searchHit.getSourceAsMap().put(highlightField, stringBuffer.toString());
}
} T t = JSON.parseObject(JSON.toJSONString(searchHit.getSourceAsMap()), clz);
sourceList.add(t);
} return sourceList;
} }

springboot1.5.10兼容高版本6.1.1elasticsearch的更多相关文章

  1. android --拍照,从相册获取图片,兼容高版本,兼容小米手机

    前几天做项目中选择图片的过程中遇到高版本和小米手机出现无法选择和崩溃的问题,现在记录下来,后面出现同类问题,也好查找 1,定义常量: private static final int TAKE_PIC ...

  2. 低版本Flume兼容高版本elasticsearch

    Flume更新比较慢,而elasticsearch更新非常快所以当涉及更换elasticsearch版本时会出现不兼容问题. apache-flume-1.6.0+elasticsearch1.5.1 ...

  3. 加速器eaccelerator不兼容高版本php

    话说PHP官方发布PHP5.4已经有一阵了,根据使用的情况来看,似乎还是很不错的.从初始发布到现在升级到的PHP5.4.4,修正不少的Bug.PHP5.4新的版本,除了提供了更多新的特性,还有大幅的效 ...

  4. sqlserver 高版本迁移到低版本

    奇葩事不少,  这不, 得把 sqlserver 2014 迁移到 2012 开始以为用备份再还原的方法就可以, 谁知道最终兼容性的问题无法解决(低版本不兼容高版本备份的文件, 即便在高版本中选择了兼 ...

  5. 解决Mybatis-plus高版本不向后兼容的问题

    mybatis-plus插件后面的版本没有兼容低版本.即:不存在低版本中EntityWrapper这个类了.而该类采用数据库表真实字段名作查询条件,这样硬编码形式确实不友好,比如如果后面数据库表中字段 ...

  6. 高版本jquery尤其是1.10.2的版本设置input radio设置值的最正确的姿势。

    $("input:radio[name="analyshowtype"]").attr("checked",false); $(" ...

  7. [iOS开发]Xcode8兼容iOS7以及低版本Xcode调试高版本iOS系统

    现在的项目一般都要兼容iOS7系统,同时也要兼容iOS10,在Xcode8上面,默认情况下无法调试iOS7,因为缺乏调试iOS7需要的配置文件.同时在低版本的Xcode上面(8以下),也无法调试iOS ...

  8. 在Centos环境下安装兼容Apache2.4高版本SVN服务

    在阿里云Centos环境下,搭建PHP运行环境,PHP选择了php7版本,Mysql选择了5.7版本,Apache选择了2.4版本,在搭建SVN版本控制服务过程中出现了不兼容问题,当前环境下Apach ...

  9. Xcode8兼容iOS7以及低版本Xcode调试高版本iOS系统

    我们使用Xcode8新建的工程,默认支持的最低系统是iOS8,我们可以手动更改版本到7.0,但是不支持真机调试. 现在的项目一般都要兼容iOS7系统,同时也要兼容iOS10,在Xcode8上面,默认情 ...

随机推荐

  1. logstash--使用ngxlog收集windows日志

    收集流程 1nxlog => 2logstash => 3elasticsearch 1. nxlog 使用模块 im_file 收集日志文件,开启位置记录功能 2. nxlog 使用模块 ...

  2. 3,ThreadGroup 的使用场景以及用法

    1 一个大型任务,可分成多个独立的子线程并发进行,最后等待所有的子线程执行结束然后继续往下执行, 使用场景比如 要查找某个用户的最近三个月的通话记录,起 3 个子线程,分别查找最近三个月的记录,然后通 ...

  3. java里面的标识符、关键字和类型

    1. 注释  Java中有三种注释:   (1) // -单行注释,注释从“//”开始,终止于行尾:   (2)  -多行注释,注释从““结束:   (3)  -是Java特有的doc注释,这种注释主 ...

  4. 可变参数中size_t遇见的问题

    在修改php扩展Trie时,出现了一个小bug PHP_FUNCTION(trie_filter_load) { Trie *trie; char *path; int path_len; if (z ...

  5. (C/C++) CRC8計算實現

    CRC計算通常會有分成 CRC8. CRC16. CRC12. CRC32. CRC8 = X^8 + X^2 + X + 1    0x07(0x107) CRC8 = X^8 + X^5 + X^ ...

  6. DEM反应添加顺序注意问题

    在含有DEM反应的dat中,均相反应的block要在DEM反应之前,例如: @(RXNS) (some reaction equations) @(END) @(DES_RXNS) (some rea ...

  7. python全栈开发_day10_函数的实参和形参

    一:函数的实参和形参 实参是在调用函数时()出现的外界的实际的值 形参不能再函数外部直接使用 1)实参的两种形式 实参是调用函数时()中传入的参数 1.位置实参 def a(a): print(a) ...

  8. 通过shell处理多行数据

    ### 源文件 cat > tmpb <<'EOF' dbname:db_a,start_time::: query_end_time:::,query_total_time:,da ...

  9. webpack 打包之后,两行溢出没有效果

    原因:发现-webkit-box-orient:vertical;并未设置成功解决:-webkit-box-orient: vertical; 加上注释包裹 .item-title { overflo ...

  10. UGUI优化总结

    1.动静分离 canvas下元素变化时,会使整个canvas重新绘制.因此将ui经常改变和不怎么改变的部分分离,分别使用不同的canvas. 2.图集优化 不同界面的ui,可以打包成不同的图集,一些公 ...