go数据操作-elasticsearch

go-elasticsearch是Elasticsearch 官方提供的 Go 客户端。每个 Elasticsearch 版本会有一个对应的 go-elasticsearch 版本。

1.安装依赖

执行以下命令安装v8版本的 go 客户端。

go get github.com/elastic/go-elasticsearch/v8@latest

导入依赖。

import "github.com/elastic/go-elasticsearch/v8"

可以根据实际需求导入不同的客户端版本,也支持在一个项目中导入不同的客户端版本。

import (elasticsearch7 "github.com/elastic/go-elasticsearch/v7"elasticsearch8 "github.com/elastic/go-elasticsearch/v8"
)// ...
es7, _ := elasticsearch7.NewDefaultClient()
es8, _ := elasticsearch8.NewDefaultClient()

2.连接 ES

指定要连接 ES 的相关配置,并创建客户端连接。

// ES 配置
cfg := elasticsearch.Config{Addresses: []string{"http://localhost:9200",},
}// 创建客户端连接
client, err := elasticsearch.NewTypedClient(cfg)
if err != nil {fmt.Printf("elasticsearch.NewTypedClient failed, err:%v\n", err)return
}

3.操作 ES

本文接下来将以电商平台 “用户评价” 数据为例,演示 Go 语言 Elasticsearch 客户端的相关操作。

3.1 创建 index

创建一个名为 my-review-1 的 index。

// createIndex 创建索引
func createIndex(client *elasticsearch.TypedClient) {resp, err := client.Indices.Create("my-review-1").Do(context.Background())if err != nil {fmt.Printf("create index failed, err:%v\n", err)return}fmt.Printf("index:%#v\n", resp.Index)
}

3.2 索引 document

定义 document 对应的 Review 和 Tag 结构体。

// Review 评价数据
type Review struct {ID          int64     `json:"id"`UserID      int64     `json:"userID"`Score       uint8     `json:"score"`Content     string    `json:"content"`Tags        []Tag     `json:"tags"`Status      int       `json:"status"`PublishTime time.Time `json:"publishDate"`
}// Tag 评价标签
type Tag struct {Code  int    `json:"code"`Title string `json:"title"`
}

创建一条 document 并添加到 my-review-1 的 index 中。

// indexDocument 索引文档
func indexDocument(client *elasticsearch.TypedClient) {// 定义 document 结构体对象d1 := Review{ID:      1,UserID:  147982601,Score:   5,Content: "这是一个好评!",Tags: []Tag{{1000, "好评"},{1100, "物超所值"},{9000, "有图"},},Status:      2,PublishTime: time.Now(),}// 添加文档resp, err := client.Index("my-review-1").Id(strconv.FormatInt(d1.ID, 10)).Document(d1).Do(context.Background())if err != nil {fmt.Printf("indexing document failed, err:%v\n", err)return}fmt.Printf("result:%#v\n", resp.Result)
}

3.3 获取 document

根据 id 获取 document。

// getDocument 获取文档
func getDocument(client *elasticsearch.TypedClient, id string) {resp, err := client.Get("my-review-1", id).Do(context.Background())if err != nil {fmt.Printf("get document by id failed, err:%v\n", err)return}fmt.Printf("fileds:%s\n", resp.Source_)
}

3.4 检索 document

构建搜索查询可以使用结构化的查询条件。

// searchDocument 搜索所有文档
func searchDocument(client *elasticsearch.TypedClient) {// 搜索文档resp, err := client.Search().Index("my-review-1").Request(&search.Request{Query: &types.Query{MatchAll: &types.MatchAllQuery{},},}).Do(context.Background())if err != nil {fmt.Printf("search document failed, err:%v\n", err)return}fmt.Printf("total: %d\n", resp.Hits.Total.Value)// 遍历所有结果for _, hit := range resp.Hits.Hits {fmt.Printf("%s\n", hit.Source_)}
}

下面是在 my-review-1 中搜索 content 包含 “好评” 的文档。

// searchDocument2 指定条件搜索文档
func searchDocument2(client *elasticsearch.TypedClient) {// 搜索content中包含好评的文档resp, err := client.Search().Index("my-review-1").Request(&search.Request{Query: &types.Query{MatchPhrase: map[string]types.MatchPhraseQuery{"content": {Query: "好评"},},},}).Do(context.Background())if err != nil {fmt.Printf("search document failed, err:%v\n", err)return}fmt.Printf("total: %d\n", resp.Hits.Total.Value)// 遍历所有结果for _, hit := range resp.Hits.Hits {fmt.Printf("%s\n", hit.Source_)}
}

3.5 聚合

在 my-review-1 上运行一个平均值聚合,得到所有文档 score 的平均值。

// aggregationDemo 聚合
func aggregationDemo(client *elasticsearch.TypedClient) {avgScoreAgg, err := client.Search().Index("my-review-1").Request(&search.Request{Size: some.Int(0),Aggregations: map[string]types.Aggregations{"avg_score": { // 将所有文档的 score 的平均值聚合为 avg_scoreAvg: &types.AverageAggregation{Field: some.String("score"),},},},},).Do(context.Background())if err != nil {fmt.Printf("aggregation failed, err:%v\n", err)return}fmt.Printf("avgScore:%#v\n", avgScoreAgg.Aggregations["avg_score"])
}

3.6 更新 document

使用新值更新文档。

// updateDocument 更新文档
func updateDocument(client *elasticsearch.TypedClient) {// 修改后的结构体变量d1 := Review{ID:      1,UserID:  147982601,Score:   5,Content: "这是一个修改后的好评!", // 有修改Tags: []Tag{ // 有修改{1000, "好评"},{9000, "有图"},},Status:      2,PublishTime: time.Now(),}resp, err := client.Update("my-review-1", "1").Doc(d1). // 使用结构体变量更新Do(context.Background())if err != nil {fmt.Printf("update document failed, err:%v\n", err)return}fmt.Printf("result:%v\n", resp.Result)
}

更新可以使用结构体变量也可以使用原始JSON字符串数据。

// updateDocument2 更新文档
func updateDocument2(client *elasticsearch.TypedClient) {// 修改后的JSON字符串str := `{"id":1,"userID":147982601,"score":5,"content":"这是一个二次修改后的好评!","tags":[{"code":1000,"title":"好评"},{"code":9000,"title":"有图"}],"status":2,"publishDate":"2023-12-10T15:27:18.219385+08:00"}`// 直接使用JSON字符串更新resp, err := client.Update("my-review-1", "1").Request(&update.Request{Doc: json.RawMessage(str),}).Do(context.Background())if err != nil {fmt.Printf("update document failed, err:%v\n", err)return}fmt.Printf("result:%v\n", resp.Result)
}

3.7 删除 document

根据文档 id 删除文档。

// deleteDocument 删除 document
func deleteDocument(client *elasticsearch.TypedClient) {resp, err := client.Delete("my-review-1", "1").Do(context.Background())if err != nil {fmt.Printf("delete document failed, err:%v\n", err)return}fmt.Printf("result:%v\n", resp.Result)
}

3.9 删除 index

删除指定的 index。

// deleteIndex 删除 index
func deleteIndex(client *elasticsearch.TypedClient) {resp, err := client.Indices.Delete("my-review-1").Do(context.Background())if err != nil {fmt.Printf("delete document failed, err:%v\n", err)return}fmt.Printf("Acknowledged:%v\n", resp.Acknowledged)
}

参考资料

elasticsearch go-api

elasticsearch go-api examples

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/661893.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

vue学习——elementPlus安装及国际化

引入完整的elementPlus 安装 pnpm i element-plus引入 // main.ts import { createApp } from vue import ElementPlus from element-plus import element-plus/dist/index.css import App from ./App.vueconst app createApp(App)app.use(ElementPlus) app.mount(#app)图标…

JAVA斗地主逻辑-控制台版

未排序版: 准备牌->洗牌 -> 发牌 -> 看牌: App程序入口: package doudihzu01;public class App {public static void main(String[] args) {/*作为斗地主程序入口这里不写代码逻辑*///无参创建对象,作为程序启动new PokerGame();…

大力说视频号第二课:视频号如何挂链接带货

最近,随着视频号带货的风潮,不少小伙伴已经成功跟上潮流,在这个平台上轻松赚取收入。 然而,仍有不少小伙伴对于如何在视频号中挂链接带货感到有些困惑。 目前,视频号的主流带货方式主要分为三种: 01 挂“…

(每日持续更新)信息系统项目管理(第四版)(高级项目管理)考试重点整理第9章 项目范围管理(四)

博主2023年11月通过了信息系统项目管理的考试,考试过程中发现考试的内容全部是教材中的内容,非常符合我学习的思路,因此博主想通过该平台把自己学习过程中的经验和教材博主认为重要的知识点分享给大家,希望更多的人能够通过考试&a…

回归预测 | Matlab实现CPO-LSTM【24年新算法】冠豪猪优化长短期记忆神经网络多变量回归预测

回归预测 | Matlab实现CPO-LSTM【24年新算法】冠豪猪优化长短期记忆神经网络多变量回归预测 目录 回归预测 | Matlab实现CPO-LSTM【24年新算法】冠豪猪优化长短期记忆神经网络多变量回归预测效果一览基本介绍程序设计参考资料 效果一览 基本介绍 1.Matlab实现CPO-LSTM【24年新算…

QT 范例阅读: undoframework

一、功能 通过给 QGraphicsScene 添加、删除、移动 QGraphicsPolygonItem 来演示 撤销重做功能 标签 undo framework example 二、核心代码,以添加图例为例 MainWindow.cpp 的核心代码 //1 创建堆栈 undoStack new QUndoStack(this); //2 以列表的形式显…

LeetCode第783题 - 二叉搜索树节点最小距离

题目 解答 方案一 class Solution {private List<Integer> values new ArrayList<>();public void inorder(TreeNode node) {if (node null) {return;}inorder(node.left);values.add(node.val);inorder(node.right);}public int minDiffInBST(TreeNode root)…

AI 代码生成

1 csdnC知道 https://so.csdn.net/chat?from_spm1008.2611.3001.9686 2 百度搜索AI伙伴 https://chat.baidu.com/ 3 阿里通义千问 https://tongyi.aliyun.com/qianwen/?spm5176.28326591.0.0.2a8a6ee1TUqfmH //还有的小伙伴们留言,我来整理 //感谢大家的点赞&#xff0c;…

工业自动化中与多台PLC通讯的基本指南

与多台PLC进行通讯是工业自动化中常见的需求。通常&#xff0c;一台THM&#xff08;通常是触摸屏或人机界面&#xff09;会与多台PLC进行通讯&#xff0c;以实现数据交互和控制功能。以下是一个基本的步骤指南&#xff0c;用于实现1台THM与多台PLC的通讯&#xff1a; 确定通讯…

在本机搭建私有NuGet服务器

写在前面 有时我们不想对外公开源码&#xff0c;同时又想在VisualStudio中通过Nuget包管理器来统一管理这些内部动态库&#xff0c;这时就可以在本地搭建一个NuGet服务器。 操作步骤 1.下载BaGet 这是一个轻量级的NuGet服务器 2.部署BaGet 将下载好的release版本BaGet解…

docker搭建nginx的RTMP服务器的步骤

使用Docker 另一个选项是使用Docker容器运行Nginx和RTMP模块。Docker Hub上有一些预构建的镜像&#xff0c;这些镜像已经集成了Nginx和RTMP模块&#xff0c;可以直接使用&#xff0c;无需手动编译。 例如&#xff0c;使用一个预构建的Nginx-RTMP Docker镜像&#xff1a; doc…

docker- php7.4

安装 gd拓展 anzhuanga在Dockerfile里面安装php7.4的GD库 - 知乎 apt update apt install -y libwebp-dev libjpeg-dev libpng-dev libfreetype6-devdocker-php-source extractdocker-php-ext-configure gd \ --with-jpeg/usr/include \ --with-freetype/usr/include/docker-…

Java Path详解

Java Path详解 大家好&#xff0c;我是免费搭建查券返利机器人赚佣金就用微赚淘客系统3.0的小编&#xff0c;也是冬天不穿秋裤&#xff0c;天冷也要风度的程序猿&#xff01;今天&#xff0c;我们将深入探讨Java中的Path&#xff0c;解析它的功能、用法以及在文件处理中的应用…

Linux系统管理和Shell脚本笔试题

1、写一个sed命令&#xff0c;修改/tmp/input.txt文件的内容&#xff0c;要求&#xff1a;(1) 删除所有空行&#xff1b;(2) 在非空行前面加一个"AAA"&#xff0c;在行尾加一个"BBB"&#xff0c;即将内容为11111的一行改为&#xff1a;AAA11111BBB #写入内…

Android 中的卡顿优化

常见的手机卡顿现象&#xff1a; 视频加载慢&#xff1b;画面卡顿、卡死、黑屏&#xff1b;声音卡顿、音画不同步&#xff1b;动画帧卡顿&#xff0c;交互响应慢&#xff1b;滑动不跟手&#xff1b;列表自动更、滚动不流畅&#xff1b;网络响应慢、数据和画面展示慢&#xff1…

【机器学习 深度学习】卷积神经网络简述

&#x1f680;个人主页&#xff1a;为梦而生~ 关注我一起学习吧&#xff01; &#x1f4a1;专栏&#xff1a;机器学习 欢迎订阅&#xff01;相对完整的机器学习基础教学&#xff01; ⭐特别提醒&#xff1a;针对机器学习&#xff0c;特别开始专栏&#xff1a;机器学习python实战…

算法:箱子之形摆放

一、算法描述及解析 要求将一批箱子按从上到下以‘之’字形的顺序摆放在宽度为 n 的空地上&#xff0c;输出箱子的摆放位置&#xff0c; 例如&#xff1a;箱子ABCDEFG&#xff0c;空地宽为3。 如输入&#xff1a; ABCDEFG 3 输出&#xff1a; AFG BE CD 注&#xff1a;最后一行…

uni-app 经验分享,从入门到离职(三)——关于 uni-app 生命周期快速了解上手

文章目录 &#x1f4cb;前言⏬关于专栏 &#x1f3af;什么是生命周期&#x1f9e9;应用生命周期&#x1f4cc; 关于 App.vue/App.uvue &#x1f9e9;页面生命周期&#x1f4cc;关于 onShow 与 onLoad 的区别 &#x1f4dd;最后 &#x1f4cb;前言 这篇文章是本专栏 uni-app 基…

轻松使用python照片太大,设置为宽21cm,300像素(成功)

在本篇博文中&#xff0c;我们将学习如何使用Python中的Pillow库来调整图片的尺寸&#xff0c;并且保持图片的长宽比例不变。这个功能在许多图像处理任务中非常有用&#xff0c;比如在网页设计、图像处理和打印等方面。 介绍 Python的Pillow库是一个功能强大的图像处理库&…

MacBook安装虚拟机Parallels Desktop

MacBook安装虚拟机Parallels Desktop 官方下载地址: https://www.parallels.cn/pd/general/ 介绍 Parallels Desktop 被称为 macOS 上最强大的虚拟机软件。可以在 Mac 下同时模拟运行 Win、Linux、Android 等多种操作系统及软件而不必重启电脑&#xff0c;并能在不同系统间随…