一日一技:Elasticsearch批量插入时,存在就不插入

Posted

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了一日一技:Elasticsearch批量插入时,存在就不插入相关的知识,希望对你有一定的参考价值。

一日一技:Elasticsearch批量插入时,存在就不插入

技术图片

摄影:产品经理
买单:kingname
当我们使用 Elasticsearch-py 批量插入数据到 ES 的时候,我们常常使用它的 helpers模块里面的bulk函数。其使用方法如下:


from elasticsearch import helpers, Elasticsearch

es = Elasticsearch(xxx)

def generator():
    datas = [1, 2, 3]
    for data in datas:
        yield {
            ‘_id‘: "xxx",
            ‘_source‘: {
                ‘age‘: data
            }
        }

helpers.bulk(es,
index=‘xxx‘,
generator(),
doc_type=‘doc‘,)

但这种方式有一个问题,它默认相当于upsert操作。如果_id 对应的文档已经在 ES 里面了,那么数据会被更新。如果_id 对应的文档不在 ES 中,那么就插入。

如果我想实现,不存在就插入,存在就跳过怎么办?此时就需要在文档里面添加_op_type指定操作类型为create:


from elasticsearch import helpers, Elasticsearch

es = Elasticsearch(xxx)

def generator():
    datas = [1, 2, 3]
    for data in datas:
        yield {
            ‘_op_type‘: ‘create‘,
            ‘_id‘: "xxx",
            ‘_source‘: {
                ‘age‘: data
            }
        }

helpers.bulk(es,
generator(),
index=‘xxx‘,
doc_type=‘doc‘)

此时,如果_id 对应的文档不在 ES 中,那么就会正常插入,如果ES里面已经有_id对应的数据了,那么就会报错。由于bulk一次性默认插入500条数据,假设其中有2条数据已经存在了,那么剩下的498条会被正常插入。然后程序报错退出,告诉你有两条写入失败,因为已经存在。

如果你不想让程序报错终止,那么可以增加2个参数:


helpers.bulk(es,
    generator(),
    index=‘xxx‘,
    doc_type=‘doc‘,
    raise_on_exception=False,               raise_on_error=False)

其中raise_on_exception=False表示在插入数据失败时,不需要抛出异常。raise_on_error=False表示不抛出BulkIndexError。

以上是关于一日一技:Elasticsearch批量插入时,存在就不插入的主要内容,如果未能解决你的问题,请参考以下文章

一日一技:限制你的Python程序所能使用的最大内存

一日一技:在 Python 中快速遍历文件

一日一技:在Python里面实现链式调用

一日一技:实现函数调用结果的 LRU 缓存

一日一技:使用上下文管理器来强制关闭 Chromedriver

一日一技:在 Python 中,is 并不一定包含==