Elasticsearch Py
Elasticsearch Py
Release 6.3.0
Honza Král
1 Compatibility 3
2 Installation 5
3 Example Usage 7
4 Features 9
4.1 Persistent Connections . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 9
4.2 Automatic Retries . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 9
4.3 Sniffing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 10
4.4 Thread safety . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 10
4.5 SSL and Authentication . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 10
4.6 Logging . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 11
5 Environment considerations 13
5.1 Compression . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 13
5.2 Running on AWS with IAM . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 13
6 Customization 15
6.1 Custom serializers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 15
7 Contents 17
7.1 API Documentation . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
7.2 X-Pack APIs . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 64
7.3 Exceptions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 75
7.4 Connection Layer API . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 75
7.5 Transport classes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 80
7.6 Helpers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 82
7.7 Changelog . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 86
8 License 93
i
ii
Elasticsearch Documentation, Release 6.3.0
Official low-level client for Elasticsearch. Its goal is to provide common ground for all Elasticsearch-related code in
Python; because of this it tries to be opinion-free and very extendable.
For a more high level client library with more limited scope, have a look at elasticsearch-dsl - it is a more pythonic
library sitting on top of elasticsearch-py.
Contents 1
Elasticsearch Documentation, Release 6.3.0
2 Contents
CHAPTER 1
Compatibility
The library is compatible with all Elasticsearch versions since 0.90.x but you have to use a matching major
version:
For Elasticsearch 6.0 and later, use the major version 6 (6.x.y) of the library.
For Elasticsearch 5.0 and later, use the major version 5 (5.x.y) of the library.
For Elasticsearch 2.0 and later, use the major version 2 (2.x.y) of the library, and so on.
The recommended way to set your requirements in your setup.py or requirements.txt is:
# Elasticsearch 6.x
elasticsearch>=6.0.0,<7.0.0
# Elasticsearch 5.x
elasticsearch>=5.0.0,<6.0.0
# Elasticsearch 2.x
elasticsearch>=2.0.0,<3.0.0
If you have a need to have multiple versions installed at the same time older versions are also released as
elasticsearch2 and elasticsearch5.
3
Elasticsearch Documentation, Release 6.3.0
4 Chapter 1. Compatibility
CHAPTER 2
Installation
5
Elasticsearch Documentation, Release 6.3.0
6 Chapter 2. Installation
CHAPTER 3
Example Usage
doc = {
'author': 'kimchy',
'text': 'Elasticsearch: cool. bonsai cool.',
'timestamp': datetime.now(),
}
res = es.index(index="test-index", doc_type='tweet', id=1, body=doc)
print(res['result'])
es.indices.refresh(index="test-index")
7
Elasticsearch Documentation, Release 6.3.0
Features
This client was designed as very thin wrapper around Elasticsearch’s REST API to allow for maximum flexibility. This
means that there are no opinions in this client; it also means that some of the APIs are a little cumbersome to use from
Python. We have created some Helpers to help with this issue as well as a more high level library (elasticsearch-dsl)
on top of this one to provide a more convenient way of working with Elasticsearch.
elasticsearch-py uses persistent connections inside of individual connection pools (one per each configured or
sniffed node). Out of the box you can choose between two http protocol implementations. See Transport classes for
more information.
The transport layer will create an instance of the selected connection class per node and keep track of the health of
individual nodes - if a node becomes unresponsive (throwing exceptions while connecting to it) it’s put on a timeout
by the ConnectionPool class and only returned to the circulation after the timeout is over (or when no live nodes
are left). By default nodes are randomized before being passed into the pool and round-robin strategy is used for load
balancing.
You can customize this behavior by passing parameters to the Connection Layer API (all keyword arguments to the
Elasticsearch class will be passed through). If what you want to accomplish is not supported you should be
able to create a subclass of the relevant component and pass it in as a parameter to be used instead of the default
implementation.
If a connection to a node fails due to connection issues (raises ConnectionError) it is considered in faulty state.
It will be placed on hold for dead_timeout seconds and the request will be retried on another node. If a connection
fails multiple times in a row the timeout will get progressively larger to avoid hitting a node that’s, by all indication,
down. If no live connection is available, the connection that has the smallest timeout will be used.
9
Elasticsearch Documentation, Release 6.3.0
By default retries are not triggered by a timeout (ConnectionTimeout), set retry_on_timeout to True to
also retry on timeouts.
4.3 Sniffing
The client can be configured to inspect the cluster state to get a list of nodes upon startup, periodically and/or on
failure. See Transport parameters for details.
Some example configurations:
from elasticsearch import Elasticsearch
# you can specify to sniff on startup to inspect the cluster and load
# balance across all nodes
es = Elasticsearch(["seed1", "seed2"], sniff_on_start=True)
The client is thread safe and can be used in a multi threaded environment. Best practice is to create a single global
instance of the client and use it throughout your application. If your application is long-running consider turning on
Sniffing to make sure the client is up to date on the cluster location.
By default we allow urllib3 to open up to 10 connections to each node, if your application calls for more paral-
lelism, use the maxsize parameter to raise the limit:
# allow up to 25 connections to each node
es = Elasticsearch(["host1", "host2"], maxsize=25)
Note: Since we use persistent connections throughout the client it means that the client doesn’t tolerate fork very
well. If your application calls for multiple processes make sure you create a fresh client after call to fork. Note that
Python’s multiprocessing module uses fork to create new processes on POSIX systems.
You can configure the client to use SSL for connecting to your elasticsearch cluster, including certificate verification
and http auth:
from elasticsearch import Elasticsearch
10 Chapter 4. Features
Elasticsearch Documentation, Release 6.3.0
es = Elasticsearch(
['localhost', 'otherhost'],
http_auth=('user', 'secret'),
scheme="https",
port=443,
)
context = create_default_context(cafile="path/to/cert.pem")
es = Elasticsearch(
['localhost', 'otherhost'],
http_auth=('user', 'secret'),
scheme="https",
port=443,
ssl_context=context,
)
Warning: elasticsearch-py doesn’t ship with default set of root certificates. To have working SSL cer-
tificate validation you need to either specify your own as cafile or capath or cadata or install certifi which
will be picked up automatically.
4.6 Logging
elasticsearch-py uses the standard logging library from python to define two loggers: elasticsearch and
elasticsearch.trace. elasticsearch is used by the client to log standard activity, depending on the log
level. elasticsearch.trace can be used to log requests to the server in the form of curl commands using
pretty-printed json that can then be executed from command line. Because it is designed to be shared (for example to
demonstrate an issue) it also just uses localhost:9200 as the address instead of the actual address of the host. If
the trace logger has not been configured already it is set to propagate=False so it needs to be activated separately.
4.6. Logging 11
Elasticsearch Documentation, Release 6.3.0
12 Chapter 4. Features
CHAPTER 5
Environment considerations
When using the client there are several limitations of your environment that could come into play.
When using an http load balancer you cannot use the Sniffing functionality - the cluster would supply the client with
IP addresses to directly connect to the cluster, circumventing the load balancer. Depending on your configuration this
might be something you don’t want or break completely.
In some environments (notably on Google App Engine) your http requests might be restricted so that GET requests
won’t accept body. In that case use the send_get_body_as parameter of Transport to send all bodies via post:
5.1 Compression
When using capacity constrained networks (low throughput), it may be handy to enable compression. This is especially
useful when doing bulk loads or inserting large documents. This will configure compression on the request.
If you want to use this client with IAM based authentication on AWS you can use the requests-aws4auth package:
host = 'YOURHOST.us-east-1.es.amazonaws.com'
awsauth = AWS4Auth(YOUR_ACCESS_KEY, YOUR_SECRET_KEY, REGION, 'es')
(continues on next page)
13
Elasticsearch Documentation, Release 6.3.0
es = Elasticsearch(
hosts=[{'host': host, 'port': 443}],
http_auth=awsauth,
use_ssl=True,
verify_certs=True,
connection_class=RequestsHttpConnection
)
print(es.info())
Customization
By default, JSONSerializer is used to encode all outgoing requests. However, you can implement your own custom
serializer:
class SetEncoder(JSONSerializer):
def default(self, obj):
if isinstance(obj, set):
return list(obj)
if isinstance(obj, Something):
return 'CustomSomethingRepresentation'
return JSONSerializer.default(self, obj)
es = Elasticsearch(serializer=SetEncoder())
15
Elasticsearch Documentation, Release 6.3.0
16 Chapter 6. Customization
CHAPTER 7
Contents
All the API calls map the raw REST api as closely as possible, including the distinction between required and optional
arguments to the calls. This means that the code makes distinction between positional and keyword arguments; we,
however, recommend that people use keyword arguments for all calls for consistency and safety.
Note: for compatibility with the Python ecosystem we use from_ instead of from and doc_type instead of type
as parameter names.
Some parameters are added by the client itself and can be used in all API calls.
Ignore
An API call is considered successful (and will return a response) if elasticsearch returns a 2XX response. Otherwise
an instance of TransportError (or a more specific subclass) will be raised. You can see other exception and error
states in Exceptions. If you do not wish an exception to be raised you can always pass in an ignore parameter with
either a single status code that should be ignored or a list of them:
17
Elasticsearch Documentation, Release 6.3.0
Timeout
Global timeout can be set when constructing the client (see Connection’s timeout parameter) or on a per-request
basis using request_timeout (float value in seconds) as part of any API call, this value will get passed to the
perform_request method of the connection class:
Note: Some API calls also accept a timeout parameter that is passed to Elasticsearch server. This timeout is
internal and doesn’t guarantee that the request will end in the specified time.
Response Filtering
The filter_path parameter is used to reduce the response returned by elasticsearch. For example, to only return
_id and _type, do:
It also supports the * wildcard character to match any field or part of a field’s name:
es.search(index='test-index', filter_path=['hits.hits._*'])
7.1.2 Elasticsearch
If you want to turn on Sniffing you have several options (described in Transport):
18 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
Different hosts can have different parameters, use a dictionary per node to specify those:
# connect to localhost directly and another node using SSL on port 443
# and an url_prefix. Note that ``port`` needs to be an int.
es = Elasticsearch([
{'host': 'localhost'},
{'host': 'othernode', 'port': 443, 'url_prefix': 'es', 'use_ssl': True},
])
If using SSL, there are several parameters that control how we deal with certificates (see
Urllib3HttpConnection for detailed description of the options):
es = Elasticsearch(
['localhost:443', 'other_host:443'],
# turn on SSL
use_ssl=True,
# make sure we verify SSL certificates
verify_certs=True,
# provide a path to CA certs on disk
ca_certs='/path/to/CA_certs'
)
SSL client authentication is supported (see Urllib3HttpConnection for detailed description of the op-
tions):
es = Elasticsearch(
['localhost:443', 'other_host:443'],
# turn on SSL
use_ssl=True,
# make sure we verify SSL certificates
verify_certs=True,
# provide a path to CA certs on disk
ca_certs='/path/to/CA_certs',
# PEM formatted SSL client certificate
client_cert='/path/to/clientcert.pem',
# PEM formatted SSL client key
client_key='/path/to/clientkey.pem'
)
Alternatively you can use RFC-1738 formatted URLs, as long as they are not in conflict with other options:
es = Elasticsearch(
[
'http://user:secret@localhost:9200/',
'https://user:secret@other_host:443/production'
],
verify_certs=True
)
By default, JSONSerializer is used to encode all outgoing requests. However, you can implement your own
custom serializer:
class SetEncoder(JSONSerializer):
def default(self, obj):
if isinstance(obj, set):
return list(obj)
if isinstance(obj, Something):
return 'CustomSomethingRepresentation'
return JSONSerializer.default(self, obj)
es = Elasticsearch(serializer=SetEncoder())
Parameters
• hosts – list of nodes we should connect to. Node should be a dictionary ({“host”: “lo-
calhost”, “port”: 9200}), the entire dictionary will be passed to the Connection class as
kwargs, or a string in the format of host[:port] which will be translated to a dictionary
automatically. If no value is given the Urllib3HttpConnection class defaults will be
used.
• transport_class – Transport subclass to use.
• kwargs – any additional arguments will be passed on to the Transport class and, sub-
sequently, to the Connection instances.
bulk(**kwargs)
Perform many index/delete operations in a single API call.
See the bulk() helper function for a more friendly API. http://www.elastic.co/guide/en/elasticsearch/
reference/current/docs-bulk.html
Parameters
• body – The operation definition and data (action-data pairs), separated by newlines
• index – Default index for items which don’t provide one
• doc_type – Default document type for items which don’t provide one
• _source – True or false to return the _source field or not, or default list of fields to return,
can be overridden on each sub- request
• _source_exclude – Default list of fields to exclude from the returned _source field,
can be overridden on each sub-request
• _source_include – Default list of fields to extract and return from the _source field,
can be overridden on each sub-request
• fields – Default comma-separated list of fields to return in the response for updates,
can be overridden on each sub-request
• pipeline – The pipeline id to preprocess incoming documents with
• refresh – If true then refresh the effected shards to make this operation visible to search,
if wait_for then wait for a refresh to make this operation visible to search, if false (the
default) then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
• routing – Specific routing value
• timeout – Explicit operation timeout
20 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
22 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
delete_by_query(**kwargs)
Delete all documents matching a query. https://www.elastic.co/guide/en/elasticsearch/reference/current/
docs-delete-by-query.html
Parameters
• index – A comma-separated list of index names to search; use _all or empty string to
perform the operation on all indices
• body – The search definition using the Query DSL
• doc_type – A comma-separated list of document types to search; leave empty to per-
form the operation on all types
• _source – True or false to return the _source field or not, or a list of fields to return
• _source_exclude – A list of fields to exclude from the returned _source field
• _source_include – A list of fields to extract and return from the _source field
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• analyze_wildcard – Specify whether wildcard and prefix queries should be analyzed
(default: false)
• analyzer – The analyzer to use for the query string
• conflicts – What to do when the delete-by-query hits version conflicts?, default
‘abort’, valid choices are: ‘abort’, ‘proceed’
• default_operator – The default operator for query string query (AND or OR), de-
fault ‘OR’, valid choices are: ‘AND’, ‘OR’
• df – The field to use as default where no field prefix is given in the query string
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• from_ – Starting offset (default: 0)
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• lenient – Specify whether format-based query failures (such as providing text to a
numeric field) should be ignored
• preference – Specify the node or shard the operation should be performed on (default:
random)
• q – Query in the Lucene query string syntax
• refresh – Should the effected indexes be refreshed?
• request_cache – Specify if request cache should be used for this request or not, de-
faults to index level setting
• requests_per_second – The throttle for this request in sub-requests per second. -1
means no throttle., default 0
• routing – A comma-separated list of specific routing values
• scroll – Specify how long a consistent view of the index should be maintained for
scrolled search
• scroll_size – Size on the scroll request powering the update_by_query
24 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
26 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• refresh – If true then refresh the affected shards to make this operation visible to search,
if wait_for then wait for a refresh to make this operation visible to search, if false (the
default) then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
• routing – Specific routing value
• timeout – Explicit operation timeout
• timestamp – Explicit timestamp for the document
• ttl – Expiration time for the document
• version – Explicit version number for concurrency control
• version_type – Specific version type, valid choices are: ‘internal’, ‘external’, ‘exter-
nal_gte’, ‘force’
• wait_for_active_shards – Sets the number of shard copies that must be active
before proceeding with the index operation. Defaults to 1, meaning the primary shard
only. Set to all for all shard copies, otherwise set to any non-negative value less than or
equal to the total number of copies for the shard (number of replicas + 1)
info(**kwargs)
Get the basic info from the current cluster. http://www.elastic.co/guide/
mget(**kwargs)
Get multiple documents based on an index, type (optional) and ids. http://www.elastic.co/guide/en/
elasticsearch/reference/current/docs-multi-get.html
Parameters
• body – Document identifiers; can be either docs (containing full document information)
or ids (when index and type is provided in the URL.
• index – The name of the index
• doc_type – The type of the document
• _source – True or false to return the _source field or not, or a list of fields to return
• _source_exclude – A list of fields to exclude from the returned _source field
• _source_include – A list of fields to extract and return from the _source field
• preference – Specify the node or shard the operation should be performed on (default:
random)
• realtime – Specify whether to perform the operation in realtime or search mode
• refresh – Refresh the shard containing the document before performing the operation
• routing – Specific routing value
• stored_fields – A comma-separated list of stored fields to return in the response
msearch(**kwargs)
Execute several search requests within the same API. http://www.elastic.co/guide/en/elasticsearch/
reference/current/search-multi-search.html
Parameters
• body – The request definitions (metadata-search request definition pairs), separated by
newlines
• index – A comma-separated list of index names to use as default
• doc_type – A comma-separated list of document types to use as default
28 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
30 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• wait_for_completion – Should the request should block until the reindex is com-
plete., default True
reindex_rethrottle(**kwargs)
Change the value of requests_per_second of a running reindex task. https://www.elastic.co/
guide/en/elasticsearch/reference/current/docs-reindex.html
Parameters
• task_id – The task id to rethrottle
• requests_per_second – The throttle to set on this request in floating sub-requests
per second. -1 means set no throttle.
render_search_template(**kwargs)
http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html
Parameters
• id – The id of the stored search template
• body – The search definition template and its params
scroll(**kwargs)
Scroll a search request created by specifying the scroll parameter. http://www.elastic.co/guide/en/
elasticsearch/reference/current/search-request-scroll.html
Parameters
• scroll_id – The scroll ID
• body – The scroll ID if not passed by URL or query parameter.
• scroll – Specify how long a consistent view of the index should be maintained for
scrolled search
search(**kwargs)
Execute a search query and get back search hits that match the query. http://www.elastic.co/guide/en/
elasticsearch/reference/current/search-search.html
Parameters
• index – A comma-separated list of index names to search; use _all or empty string to
perform the operation on all indices
• doc_type – A comma-separated list of document types to search; leave empty to per-
form the operation on all types
• body – The search definition using the Query DSL
• _source – True or false to return the _source field or not, or a list of fields to return
• _source_exclude – A list of fields to exclude from the returned _source field
• _source_include – A list of fields to extract and return from the _source field
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• allow_partial_search_results – Set to false to return an overall failure if the
request would produce partial results. Defaults to True, which will allow partial results in
the case of timeouts or partial failures
• analyze_wildcard – Specify whether wildcard and prefix queries should be analyzed
(default: false)
32 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
34 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
36 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• slices – The number of slices this task should be divided into. Defaults to 1 meaning
the task isn’t sliced into subtasks., default 1
• sort – A comma-separated list of <field>:<direction> pairs
• stats – Specific ‘tag’ of the request for logging and statistical purposes
• terminate_after – The maximum number of documents to collect for each shard,
upon reaching which the query execution will terminate early.
• timeout – Time each individual bulk request should wait for shards that are unavailable.,
default ‘1m’
• version – Specify whether to return document version as part of a hit
• version_type – Should the document increment the version number (internal) on hit
or not (reindex)
• wait_for_active_shards – Sets the number of shard copies that must be active
before proceeding with the update by query operation. Defaults to 1, meaning the primary
shard only. Set to all for all shard copies, otherwise set to any non-negative value less than
or equal to the total number of copies for the shard (number of replicas + 1)
• wait_for_completion – Should the request should block until the update by query
operation is complete., default True
7.1.3 Indices
class elasticsearch.client.IndicesClient(client)
analyze(**kwargs)
Perform the analysis process on a text and return the tokens breakdown of the text. http://www.elastic.co/
guide/en/elasticsearch/reference/current/indices-analyze.html
Parameters
• index – The name of the index to scope the operation
• body – Define analyzer/tokenizer parameters and the text on which the analysis should
be performed
• format – Format of the output, default ‘detailed’, valid choices are: ‘detailed’, ‘text’
• prefer_local – With true, specify that a local shard should be used if available, with
false, use a random shard (default: true)
clear_cache(**kwargs)
Clear either all caches or specific cached associated with one ore more indices. http://www.elastic.co/
guide/en/elasticsearch/reference/current/indices-clearcache.html
Parameters
• index – A comma-separated list of index name to limit the operation
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• field_data – Clear field data
• fielddata – Clear field data
• fields – A comma-separated list of fields to clear when using the field_data parameter
(default: all)
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• query – Clear query caches
• recycler – Clear the recycler cache
• request – Clear request cache
• request_cache – Clear request cache
close(**kwargs)
Close an index to remove it’s overhead from the cluster. Closed index is blocked for read/write operations.
http://www.elastic.co/guide/en/elasticsearch/reference/current/indices-open-close.html
Parameters
• index – The name of the index
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• master_timeout – Specify timeout for connection to master
• timeout – Explicit operation timeout
create(**kwargs)
Create an index in Elasticsearch. http://www.elastic.co/guide/en/elasticsearch/reference/current/
indices-create-index.html
Parameters
• index – The name of the index
• body – The configuration for the index (settings and mappings)
• master_timeout – Specify timeout for connection to master
• timeout – Explicit operation timeout
• wait_for_active_shards – Set the number of active shards to wait for before the
operation returns.
delete(**kwargs)
Delete an index in Elasticsearch http://www.elastic.co/guide/en/elasticsearch/reference/current/
indices-delete-index.html
Parameters
• index – A comma-separated list of indices to delete; use _all or * string to delete all
indices
• allow_no_indices – Ignore if a wildcard expression resolves to no concrete indices
(default: false)
38 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
Parameters
• index – A comma-separated list of index names to filter aliases
• name – A comma-separated list of alias names to return
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘all’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• local – Return local information, do not retrieve the state from master node (default:
false)
exists_template(**kwargs)
Return a boolean indicating whether given template exists. http://www.elastic.co/guide/en/elasticsearch/
reference/current/indices-templates.html
Parameters
• name – The comma separated names of the index templates
• flat_settings – Return settings in flat format (default: false)
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
exists_type(**kwargs)
Check if a type/types exists in an index/indices. http://www.elastic.co/guide/en/elasticsearch/reference/
current/indices-types-exists.html
Parameters
• index – A comma-separated list of index names; use _all to check the types across all
indices
• doc_type – A comma-separated list of document types to check
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• local – Return local information, do not retrieve the state from master node (default:
false)
flush(**kwargs)
Explicitly flush one or more indices. http://www.elastic.co/guide/en/elasticsearch/reference/current/
indices-flush.html
Parameters
• index – A comma-separated list of index names; use _all or empty string for all indices
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
40 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• operation_threading – TODO: ?
get(**kwargs)
The get index API allows to retrieve information about one or more indexes. http://www.elastic.co/guide/
en/elasticsearch/reference/current/indices-get-index.html
Parameters
• index – A comma-separated list of index names
• allow_no_indices – Ignore if a wildcard expression resolves to no concrete indices
(default: false)
• expand_wildcards – Whether wildcard expressions should get expanded to open or
closed indices (default: open), default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’,
‘all’
• flat_settings – Return settings in flat format (default: false)
• ignore_unavailable – Ignore unavailable indexes (default: false)
• include_defaults – Whether to return all default setting for each of the indices.,
default False
• local – Return local information, do not retrieve the state from master node (default:
false)
get_alias(**kwargs)
Retrieve a specified alias. http://www.elastic.co/guide/en/elasticsearch/reference/current/indices-aliases.
html
Parameters
• index – A comma-separated list of index names to filter aliases
• name – A comma-separated list of alias names to return
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘all’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• local – Return local information, do not retrieve the state from master node (default:
false)
get_field_mapping(**kwargs)
Retrieve mapping definition of a specific field. http://www.elastic.co/guide/en/elasticsearch/reference/
current/indices-get-field-mapping.html
Parameters
• fields – A comma-separated list of fields
• index – A comma-separated list of index names
• doc_type – A comma-separated list of document types
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
42 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
44 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
put_mapping(**kwargs)
Register specific mapping definition for a specific type. http://www.elastic.co/guide/en/elasticsearch/
reference/current/indices-put-mapping.html
Parameters
• doc_type – The name of the document type
• body – The mapping definition
• index – A comma-separated list of index names the mapping should be added to (sup-
ports wildcards); use _all or omit to add the mapping on all indices.
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• master_timeout – Specify timeout for connection to master
• timeout – Explicit operation timeout
put_settings(**kwargs)
Change specific index level settings in real time. http://www.elastic.co/guide/en/elasticsearch/reference/
current/indices-update-settings.html
Parameters
• body – The index settings to be updated
• index – A comma-separated list of index names; use _all or empty string to perform the
operation on all indices
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• flat_settings – Return settings in flat format (default: false)
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• master_timeout – Specify timeout for connection to master
• preserve_existing – Whether to update existing settings. If set to true existing
settings on an index remain unchanged, the default is false
put_template(**kwargs)
Create an index template that will automatically be applied to new indices created. http://www.elastic.co/
guide/en/elasticsearch/reference/current/indices-templates.html
Parameters
• name – The name of the template
• body – The template definition
• create – Whether the index template should only be added if new or can also replace an
existing one, default False
46 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
segments(**kwargs)
Provide low level segments information that a Lucene index (shard level) is built with. http://www.elastic.
co/guide/en/elasticsearch/reference/current/indices-segments.html
Parameters
• index – A comma-separated list of index names; use _all or empty string to perform the
operation on all indices
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• operation_threading – TODO: ?
• verbose – Includes detailed memory usage by Lucene., default False
shard_stores(**kwargs)
Provides store information for shard copies of indices. Store information reports on which nodes shard
copies exist, the shard copy version, indicating how recent they are, and any exceptions encountered
while opening the shard index or from earlier engine failure. http://www.elastic.co/guide/en/elasticsearch/
reference/current/indices-shards-stores.html
Parameters
• index – A comma-separated list of index names; use _all or empty string to perform the
operation on all indices
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• operation_threading – TODO: ?
• status – A comma-separated list of statuses used to filter on shards to get store infor-
mation for, valid choices are: ‘green’, ‘yellow’, ‘red’, ‘all’
shrink(**kwargs)
The shrink index API allows you to shrink an existing index into a new index with fewer primary shards.
The number of primary shards in the target index must be a factor of the shards in the source index. For
example an index with 8 primary shards can be shrunk into 4, 2 or 1 primary shards or an index with 15
primary shards can be shrunk into 5, 3 or 1. If the number of shards in the index is a prime number it can
only be shrunk into a single primary shard. Before shrinking, a (primary or replica) copy of every shard
in the index must be present on the same node. http://www.elastic.co/guide/en/elasticsearch/reference/
current/indices-shrink-index.html
Parameters
• index – The name of the source index to shrink
• target – The name of the target index to shrink into
• body – The configuration for the target index (settings and aliases)
48 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
7.1.4 Ingest
class elasticsearch.client.IngestClient(client)
delete_pipeline(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/plugins/current/ingest.html
Parameters
• id – Pipeline ID
• master_timeout – Explicit operation timeout for connection to master node
• timeout – Explicit operation timeout
get_pipeline(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/plugins/current/ingest.html
Parameters
• id – Comma separated list of pipeline ids. Wildcards supported
• master_timeout – Explicit operation timeout for connection to master node
put_pipeline(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/plugins/current/ingest.html
Parameters
• id – Pipeline ID
• body – The ingest definition
• master_timeout – Explicit operation timeout for connection to master node
• timeout – Explicit operation timeout
simulate(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/plugins/current/ingest.html
Parameters
• body – The simulate definition
• id – Pipeline ID
• verbose – Verbose mode. Display data output for each processor in executed pipeline,
default False
7.1.5 Cluster
class elasticsearch.client.ClusterClient(client)
allocation_explain(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/cluster-allocation-explain.html
Parameters
• body – The index, shard, and primary flag to explain. Empty means ‘explain the first
unassigned shard’
• include_disk_info – Return information about disk usage and shard sizes (default:
false)
• include_yes_decisions – Return ‘YES’ decisions in explanation (default: false)
get_settings(**kwargs)
Get cluster settings. http://www.elastic.co/guide/en/elasticsearch/reference/current/
cluster-update-settings.html
Parameters
50 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
reroute(**kwargs)
Explicitly execute a cluster reroute allocation command including specific commands. http://www.elastic.
co/guide/en/elasticsearch/reference/current/cluster-reroute.html
Parameters
• body – The definition of commands to perform (move, cancel, allocate)
• dry_run – Simulate the operation only and return the resulting state
• explain – Return an explanation of why the commands can or cannot be executed
• master_timeout – Explicit operation timeout for connection to master node
• metric – Limit the information returned to the specified metrics. Defaults to all but
metadata, valid choices are: ‘_all’, ‘blocks’, ‘metadata’, ‘nodes’, ‘routing_table’, ‘mas-
ter_node’, ‘version’
• retry_failed – Retries allocation of shards that are blocked due to too many subse-
quent allocation failures
• timeout – Explicit operation timeout
state(**kwargs)
Get a comprehensive state information of the whole cluster. http://www.elastic.co/guide/en/elasticsearch/
reference/current/cluster-state.html
Parameters
• metric – Limit the information returned to the specified metrics
• index – A comma-separated list of index names; use _all or empty string to perform the
operation on all indices
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• flat_settings – Return settings in flat format (default: false)
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Specify timeout for connection to master
stats(**kwargs)
The Cluster Stats API allows to retrieve statistics from a cluster wide perspective. The API returns basic
index metrics and information about the current nodes that form the cluster. http://www.elastic.co/guide/
en/elasticsearch/reference/current/cluster-stats.html
Parameters
• node_id – A comma-separated list of node IDs or names to limit the returned informa-
tion; use _local to return information from the node you’re connecting to, leave empty to
get information from all nodes
• flat_settings – Return settings in flat format (default: false)
• timeout – Explicit operation timeout
52 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
7.1.6 Nodes
class elasticsearch.client.NodesClient(client)
hot_threads(**kwargs)
An API allowing to get the current hot threads on each node in the cluster. https://www.elastic.co/guide/
en/elasticsearch/reference/current/cluster-nodes-hot-threads.html
Parameters
• node_id – A comma-separated list of node IDs or names to limit the returned informa-
tion; use _local to return information from the node you’re connecting to, leave empty to
get information from all nodes
• type – The type to sample (default: cpu), valid choices are: ‘cpu’, ‘wait’, ‘block’
• ignore_idle_threads – Don’t show threads that are in known-idle places, such as
waiting on a socket select or pulling from an empty task queue (default: true)
• interval – The interval for the second sampling of threads
• snapshots – Number of samples of thread stacktrace (default: 10)
• threads – Specify the number of threads to provide information for (default: 3)
• timeout – Explicit operation timeout
info(**kwargs)
The cluster nodes info API allows to retrieve one or more (or all) of the cluster nodes information. https:
//www.elastic.co/guide/en/elasticsearch/reference/current/cluster-nodes-info.html
Parameters
• node_id – A comma-separated list of node IDs or names to limit the returned informa-
tion; use _local to return information from the node you’re connecting to, leave empty to
get information from all nodes
• metric – A comma-separated list of metrics you wish returned. Leave empty to return
all.
• flat_settings – Return settings in flat format (default: false)
• timeout – Explicit operation timeout
stats(**kwargs)
The cluster nodes stats API allows to retrieve one or more (or all) of the cluster nodes statistics. https:
//www.elastic.co/guide/en/elasticsearch/reference/current/cluster-nodes-stats.html
Parameters
• node_id – A comma-separated list of node IDs or names to limit the returned informa-
tion; use _local to return information from the node you’re connecting to, leave empty to
get information from all nodes
• metric – Limit the information returned to the specified metrics
• index_metric – Limit the information returned for indices metric to the specific index
metrics. Isn’t used if indices (or all) metric isn’t specified.
• completion_fields – A comma-separated list of fields for fielddata and suggest in-
dex metric (supports wildcards)
• fielddata_fields – A comma-separated list of fields for fielddata index metric (sup-
ports wildcards)
• fields – A comma-separated list of fields for fielddata and completion index metric
(supports wildcards)
• groups – A comma-separated list of search groups for search index metric
• include_segment_file_sizes – Whether to report the aggregated disk usage of
each one of the Lucene index files (only applies if segment stats are requested), default
False
• level – Return indices stats aggregated at index, node or shard level, default ‘node’,
valid choices are: ‘indices’, ‘node’, ‘shards’
• timeout – Explicit operation timeout
• types – A comma-separated list of document types for the indexing index metric
usage(**kwargs)
The cluster nodes usage API allows to retrieve information on the usage of features for each node. http:
//www.elastic.co/guide/en/elasticsearch/reference/master/cluster-nodes-usage.html
Parameters
• node_id – A comma-separated list of node IDs or names to limit the returned informa-
tion; use _local to return information from the node you’re connecting to, leave empty to
get information from all nodes
• metric – Limit the information returned to the specified metrics
• human – Whether to return time and byte values in human-readable format., default False
• timeout – Explicit operation timeout
7.1.7 Cat
class elasticsearch.client.CatClient(client)
aliases(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/cat-alias.html
Parameters
• name – A comma-separated list of alias names to return
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
• v – Verbose mode. Display column headers, default False
allocation(**kwargs)
Allocation provides a snapshot of how shards have located around the cluster and the state of disk usage.
https://www.elastic.co/guide/en/elasticsearch/reference/current/cat-allocation.html
Parameters
54 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• node_id – A comma-separated list of node IDs or names to limit the returned informa-
tion
• bytes – The unit in which to display byte values, valid choices are: ‘b’, ‘k’, ‘kb’, ‘m’,
‘mb’, ‘g’, ‘gb’, ‘t’, ‘tb’, ‘p’, ‘pb’
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
• v – Verbose mode. Display column headers, default False
count(**kwargs)
Count provides quick access to the document count of the entire cluster, or individual indices. https:
//www.elastic.co/guide/en/elasticsearch/reference/current/cat-count.html
Parameters
• index – A comma-separated list of index names to limit the returned information
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
• v – Verbose mode. Display column headers, default False
fielddata(**kwargs)
Shows information about currently loaded fielddata on a per-node basis. https://www.elastic.co/guide/en/
elasticsearch/reference/current/cat-fielddata.html
Parameters
• fields – A comma-separated list of fields to return the fielddata size
• bytes – The unit in which to display byte values, valid choices are: ‘b’, ‘k’, ‘kb’, ‘m’,
‘mb’, ‘g’, ‘gb’, ‘t’, ‘tb’, ‘p’, ‘pb’
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
56 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
Parameters
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
• v – Verbose mode. Display column headers, default False
nodeattrs(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/cat-nodeattrs.html
Parameters
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
• v – Verbose mode. Display column headers, default False
nodes(**kwargs)
The nodes command shows the cluster topology. https://www.elastic.co/guide/en/elasticsearch/reference/
current/cat-nodes.html
Parameters
• format – a short version of the Accept header, e.g. json, yaml
• full_id – Return the full node ID instead of the shortened version (default: false)
• h – Comma-separated list of column names to display
• help – Return help information, default False
• local – Return local information, do not retrieve the state from master node (default:
false)
• master_timeout – Explicit operation timeout for connection to master node
• s – Comma-separated list of column names or column aliases to sort by
• v – Verbose mode. Display column headers, default False
pending_tasks(**kwargs)
pending_tasks provides the same information as the pending_tasks() API in a convenient tabular
format. https://www.elastic.co/guide/en/elasticsearch/reference/current/cat-pending-tasks.html
Parameters
• format – a short version of the Accept header, e.g. json, yaml
• h – Comma-separated list of column names to display
58 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
60 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
7.1.8 Snapshot
class elasticsearch.client.SnapshotClient(client)
create(**kwargs)
Create a snapshot in repository http://www.elastic.co/guide/en/elasticsearch/reference/current/
modules-snapshots.html
Parameters
• repository – A repository name
• snapshot – A snapshot name
• body – The snapshot definition
• master_timeout – Explicit operation timeout for connection to master node
• wait_for_completion – Should this request wait until the operation has completed
before returning, default False
create_repository(**kwargs)
Registers a shared file system repository. http://www.elastic.co/guide/en/elasticsearch/reference/current/
modules-snapshots.html
Parameters
• repository – A repository name
• body – The repository definition
• master_timeout – Explicit operation timeout for connection to master node
• timeout – Explicit operation timeout
• verify – Whether to verify the repository after creation
delete(**kwargs)
Deletes a snapshot from a repository. http://www.elastic.co/guide/en/elasticsearch/reference/current/
modules-snapshots.html
Parameters
• repository – A repository name
• snapshot – A snapshot name
• master_timeout – Explicit operation timeout for connection to master node
delete_repository(**kwargs)
Removes a shared file system repository. http://www.elastic.co/guide/en/elasticsearch/reference/current/
modules-snapshots.html
Parameters
• repository – A comma-separated list of repository names
62 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
verify_repository(**kwargs)
Returns a list of nodes where repository was successfully verified or an error message if verification process
failed. http://www.elastic.co/guide/en/elasticsearch/reference/current/modules-snapshots.html
Parameters
• repository – A repository name
• master_timeout – Explicit operation timeout for connection to master node
• timeout – Explicit operation timeout
7.1.9 Tasks
class elasticsearch.client.TasksClient(client)
cancel(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/tasks.html
Parameters
• task_id – Cancel the task with specified task id (node_id:task_number)
• actions – A comma-separated list of actions that should be cancelled. Leave empty to
cancel all.
• nodes – A comma-separated list of node IDs or names to limit the returned information;
use _local to return information from the node you’re connecting to, leave empty to get
information from all nodes
• parent_task_id – Cancel tasks with specified parent task id (node_id:task_number).
Set to -1 to cancel all.
get(**kwargs)
Retrieve information for a particular task. http://www.elastic.co/guide/en/elasticsearch/reference/current/
tasks.html
Parameters
• task_id – Return the task with specified id (node_id:task_number)
• wait_for_completion – Wait for the matching tasks to complete (default: false)
list(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/tasks.html
Parameters
• actions – A comma-separated list of actions that should be returned. Leave empty to
return all.
• detailed – Return detailed task information (default: false)
• group_by – Group tasks by nodes or parent/child relationships, default ‘nodes’, valid
choices are: ‘nodes’, ‘parents’
• nodes – A comma-separated list of node IDs or names to limit the returned information;
use _local to return information from the node you’re connecting to, leave empty to get
information from all nodes
• parent_task_id – Return tasks with specified parent task id (node_id:task_number).
Set to -1 to return all.
X-Pack is an Elastic Stack extension that bundles security, alerting, monitoring, reporting, and graph capabilities into
one easy-to-install package. While the X-Pack components are designed to work together seamlessly, you can easily
enable or disable the features you want to use.
7.2.1 Info
info(**kwargs)
Retrieve information about xpack, including build number/timestamp and license status https://www.
elastic.co/guide/en/elasticsearch/reference/current/info-api.html
Parameters
• categories – Comma-separated list of info categories. Can be any of: build, license,
features
• human – Presents additional info for humans (feature descriptions and X-Pack tagline)
usage(**kwargs)
Retrieve information about xpack features usage
Parameters master_timeout – Specify timeout for watch write operation
X-Pack Graph Explore enables you to extract and summarize information about the documents and terms in your
Elasticsearch index.
class elasticsearch.client.xpack.graph.GraphClient(client)
explore(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/graph-explore-api.html
Parameters
• index – A comma-separated list of index names to search; use _all or empty string to
perform the operation on all indices
• doc_type – A comma-separated list of document types to search; leave empty to per-
form the operation on all types
• body – Graph Query DSL
• routing – Specific routing value
• timeout – Explicit operation timeout
64 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
delete(**kwargs)
https://www.elastic.co/guide/en/x-pack/current/license-management.html
get(**kwargs)
https://www.elastic.co/guide/en/x-pack/current/license-management.html
Parameters local – Return local information, do not retrieve the state from master node (de-
fault: false)
post(**kwargs)
https://www.elastic.co/guide/en/x-pack/current/license-management.html
Parameters
• body – licenses to be installed
• acknowledge – whether the user has acknowledged acknowledge messages (default:
false)
Machine Learning can be useful for discovering new patterns about your data. For a more detailed explanation about
X-Pack’s machine learning please refer to the official documentation.
class elasticsearch.client.xpack.ml.MlClient(client)
close_job(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-close-job.html
Parameters
• job_id – The name of the job to close
• force – True if the job should be forcefully closed
• timeout – Controls the time to wait until a job has closed. Default to 30 minutes
delete_datafeed(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-delete-datafeed.html
Parameters
• datafeed_id – The ID of the datafeed to delete
• force – True if the datafeed should be forcefully deleted
delete_expired_data(**kwargs)
delete_filter(**kwargs)
Parameters filter_id – The ID of the filter to delete
delete_job(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-delete-job.html
Parameters
66 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
68 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• reset_start – Optional parameter to specify the start of the bucket resetting range
preview_datafeed(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-preview-datafeed.html
Parameters datafeed_id – The ID of the datafeed to preview
put_datafeed(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-put-datafeed.html
Parameters
• datafeed_id – The ID of the datafeed to create
• body – The datafeed config
put_filter(**kwargs)
Parameters
• filter_id – The ID of the filter to create
• body – The filter details
put_job(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-put-job.html
Parameters
• job_id – The ID of the job to create
• body – The job
revert_model_snapshot(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-revert-snapshot.html
Parameters
• job_id – The ID of the job to fetch
• snapshot_id – The ID of the snapshot to revert to
• body – Reversion options
• delete_intervening_results – Should we reset the results back to the time of
the snapshot?
start_datafeed(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-start-datafeed.html
Parameters
• datafeed_id – The ID of the datafeed to start
• body – The start datafeed parameters
• end – The end time when the datafeed should stop. When not set, the datafeed continues
in real time
• start – The start time from where the datafeed should begin
• timeout – Controls the time to wait until a datafeed has started. Default to 20 seconds
stop_datafeed(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/ml-stop-datafeed.html
Parameters
• datafeed_id – The ID of the datafeed to stop
Security API can be used to help secure your Elasticsearch cluster. Integrating with LDAP and Active Directory.
class elasticsearch.client.xpack.security.SecurityClient(client)
authenticate(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-authenticate.html
change_password(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-change-password.html
Parameters
• body – the new password for the user
• username – The username of the user to change the password for
• refresh – If true (the default) then refresh the affected shards to make this operation
visible to search, if wait_for then wait for a refresh to make this operation visible to search,
if false then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
clear_cached_realms(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-clear-cache.html
70 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
Parameters
• realms – Comma-separated list of realms to clear
• usernames – Comma-separated list of usernames to clear from the cache
clear_cached_roles(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-roles.html#
security-api-clear-role-cache
Parameters name – Role name
delete_role(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-roles.html#
security-api-delete-role
Parameters
• name – Role name
• refresh – If true (the default) then refresh the affected shards to make this operation
visible to search, if wait_for then wait for a refresh to make this operation visible to search,
if false then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
delete_role_mapping(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-role-mapping.html#
security-api-delete-role-mapping
Parameters
• name – Role-mapping name
• refresh – If true (the default) then refresh the affected shards to make this operation
visible to search, if wait_for then wait for a refresh to make this operation visible to search,
if false then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
delete_user(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-users.html#
security-api-delete-user
Parameters
• username – username
• refresh – If true (the default) then refresh the affected shards to make this operation
visible to search, if wait_for then wait for a refresh to make this operation visible to search,
if false then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
disable_user(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-users.html#
security-api-disable-user
Parameters
• username – The username of the user to disable
• refresh – If true (the default) then refresh the affected shards to make this operation
visible to search, if wait_for then wait for a refresh to make this operation visible to search,
if false then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
enable_user(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-users.html#
security-api-enable-user
Parameters
72 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
put_user(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/security-api-users.html#
security-api-put-user
Parameters
• username – The username of the User
• body – The user to add
• refresh – If true (the default) then refresh the affected shards to make this operation
visible to search, if wait_for then wait for a refresh to make this operation visible to search,
if false then do nothing with refreshes., valid choices are: ‘true’, ‘false’, ‘wait_for’
Watcher API can be used to notify you when certain pre-defined thresholds have happened.
class elasticsearch.client.xpack.watcher.WatcherClient(client)
ack_watch(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/watcher-api-ack-watch.html
Parameters
• watch_id – Watch ID
• action_id – A comma-separated list of the action ids to be acked
• master_timeout – Explicit operation timeout for connection to master node
activate_watch(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/watcher-api-activate-watch.html
Parameters
• watch_id – Watch ID
• master_timeout – Explicit operation timeout for connection to master node
deactivate_watch(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/watcher-api-deactivate-watch.html
Parameters
• watch_id – Watch ID
• master_timeout – Explicit operation timeout for connection to master node
delete_watch(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/watcher-api-delete-watch.html
Parameters
• id – Watch ID
• master_timeout – Explicit operation timeout for connection to master node
execute_watch(**kwargs)
http://www.elastic.co/guide/en/elasticsearch/reference/current/watcher-api-execute-watch.html
Parameters
• id – Watch ID
Migration API helps simplify upgrading X-Pack indices from one version to another.
class elasticsearch.client.xpack.migration.MigrationClient(client)
get_assistance(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/migration-api-assistance.html
Parameters
• index – A comma-separated list of index names; use _all or empty string to perform the
operation on all indices
• allow_no_indices – Whether to ignore if a wildcard indices expression resolves into
no concrete indices. (This includes _all string or when no indices have been specified)
• expand_wildcards – Whether to expand wildcard expression to concrete indices that
are open, closed or both., default ‘open’, valid choices are: ‘open’, ‘closed’, ‘none’, ‘all’
• ignore_unavailable – Whether specified concrete indices should be ignored when
unavailable (missing or closed)
74 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
upgrade(**kwargs)
https://www.elastic.co/guide/en/elasticsearch/reference/current/migration-api-upgrade.html
Parameters
• index – The name of the index
• wait_for_completion – Should the request block until the upgrade operation is
completed, default True
7.3 Exceptions
class elasticsearch.ImproperlyConfigured
Exception raised when the config passed to the client is inconsistent or invalid.
class elasticsearch.ElasticsearchException
Base class for all exceptions raised by this package’s operations (doesn’t apply to
ImproperlyConfigured).
class elasticsearch.SerializationError(ElasticsearchException)
Data passed in failed to serialize properly in the Serializer being used.
class elasticsearch.TransportError(ElasticsearchException)
Exception raised when ES returns a non-OK (>=400) HTTP status code. Or when an actual connection error
happens; in that case the status_code will be set to 'N/A'.
error
A string error message.
info
Dict of returned error info from ES, where available, underlying exception when not.
status_code
The HTTP status code of the response that precipitated the error or 'N/A' if not applicable.
class elasticsearch.ConnectionError(TransportError)
Error raised when there was an exception while talking to ES. Original exception from the underlying
Connection implementation is available as .info.
class elasticsearch.ConnectionTimeout(ConnectionError)
A network timeout. Doesn’t cause a node retry by default.
class elasticsearch.SSLError(ConnectionError)
Error raised when encountering SSL errors.
class elasticsearch.NotFoundError(TransportError)
Exception representing a 404 status code.
class elasticsearch.ConflictError(TransportError)
Exception representing a 409 status code.
class elasticsearch.RequestError(TransportError)
Exception representing a 400 status code.
All of the classes responsible for handling the connection to the Elasticsearch cluster. The default subclasses used can
be overriden by passing parameters to the Elasticsearch class. All of the arguments to the client will be passed
7.3. Exceptions 75
Elasticsearch Documentation, Release 6.3.0
Note: ConnectionPool and related options (like selector_class) will only be used if more than one con-
nection is defined. Either directly or via the Sniffing mechanism.
7.4.1 Transport
76 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• send_get_body_as – for GET requests with body this option allows you to specify an
alternate way of execution for environments that don’t support passing bodies with GET
requests. If you set this to ‘POST’ a POST method will be used instead, if to ‘source’ then
the body will be serialized and passed as a query parameter source.
Any extra keyword arguments will be passed to the connection_class when creating and instance unless over-
ridden by that connection’s options provided as part of the hosts parameter.
add_connection(host)
Create a new Connection instance and add it to the pool.
Parameters host – kwargs that will be used to create the instance
close()
Explicitly closes connections
get_connection()
Retreive a Connection instance from the ConnectionPool instance.
mark_dead(connection)
Mark a connection as dead (failed) in the connection pool. If sniffing on failure is enabled this will initiate
the sniffing process.
Parameters connection – instance of Connection that failed
perform_request(method, url, headers=None, params=None, body=None)
Perform the actual request. Retrieve a connection from the connection pool, pass all the information to it’s
perform_request method and return the data.
If an exception was raised, mark the connection as failed and retry (up to max_retries times).
If the operation was succesful and the connection used was previously marked as dead, mark it as live,
resetting it’s failure count.
Parameters
• method – HTTP method to use
• url – absolute url (without host) to target
• headers – dictionary of headers, will be handed over to the underlying Connection
class
• params – dictionary of query parameters, will be handed over to the underlying
Connection class for serialization
• body – body of the request, will be serializes using serializer and passed to the connection
set_connections(hosts)
Instantiate all the connections and create new connection pool to hold them. Tries to identify unchanged
hosts and re-use existing Connection instances.
Parameters hosts – same as __init__
sniff_hosts(initial=False)
Obtain a list of nodes from the cluster and create a new connection pool using the information retrieved.
To extract the node connection parameters use the nodes_to_host_callback.
Parameters initial – flag indicating if this is during startup (sniff_on_start), ignore
the sniff_timeout if True
78 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
class elasticsearch.ConnectionSelector(opts)
Simple class used to select a connection from a list of currently live connection instances. In init time it is passed
a dictionary containing all the connections’ options which it can then use during the selection process. When
the select method is called it is given a list of currently live connections to choose from.
The options dictionary is the one that has been passed to Transport as hosts param and the same that is used
to construct the Connection object itself. When the Connection was created from information retrieved from the
cluster via the sniffing process it will be the dictionary returned by the host_info_callback.
Example of where this would be useful is a zone-aware selector that would only select connections from it’s
own zones and only fall back to other connections where there would be none in it’s zones.
Parameters opts – dictionary of connection instances and their options
select(connections)
Select a connection from the given list.
Parameters connections – list of live connections to choose from
If you have complex SSL logic for connecting to Elasticsearch using an SSLContext object might be more helpful.
You can create one natively using the python SSL library with the create_default_context (https://docs.python.org/3/
library/ssl.html#ssl.create_default_context) method.
To create an SSLContext object you only need to use one of cafile, capath or cadata:
List of transport classes that can be used, simply import your choice and pass it to the constructor of Elasticsearch
as connection_class. Note that the RequestsHttpConnection requires requests to be installed.
For example to use the requests-based connection just import it and use it:
The default connection class is based on urllib3 which is more performant and lightweight than the optional
requests-based class. Only use RequestsHttpConnection if you have need of any of requests advanced
features like custom auth plugins etc.
7.5.1 Connection
80 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
7.5.2 Urllib3HttpConnection
class elasticsearch.connection.Urllib3HttpConnection(host=’localhost’,
port=9200, http_auth=None,
use_ssl=False, ver-
ify_certs=None,
ca_certs=None,
client_cert=None,
client_key=None,
ssl_version=None,
ssl_assert_hostname=None,
ssl_assert_fingerprint=None,
maxsize=10, head-
ers=None, ssl_context=None,
http_compress=False,
**kwargs)
Default connection class using the urllib3 library and the http protocol.
Parameters
• host – hostname of the node (default: localhost)
• port – port to use (integer, default: 9200)
• url_prefix – optional url prefix for elasticsearch
• timeout – default timeout in seconds (float, default: 10)
• http_auth – optional http auth information as either ‘:’ separated string or a tuple
• use_ssl – use ssl for the connection if True
• verify_certs – whether to verify SSL certificates
• ca_certs – optional path to CA bundle. See https://urllib3.readthedocs.io/en/latest/
security.html#using-certifi-with-urllib3 for instructions how to get default set
• client_cert – path to the file containing the private key and the certificate, or cert only
if using client_key
• client_key – path to the file containing the private key if using separate cert and key
files (client_cert will contain only the cert)
• ssl_version – version of the SSL protocol to use. Choices are: SSLv23 (default) SSLv2
SSLv3 TLSv1 (see PROTOCOL_* constants in the ssl module for exact options for your
environment).
• ssl_assert_hostname – use hostname verification if not False
• ssl_assert_fingerprint – verify the supplied certificate fingerprint if not None
• maxsize – the number of connections which will be kept open to this host. See https:
//urllib3.readthedocs.io/en/1.4/pools.html#api for more information.
• headers – any custom http headers to be add to requests
• http_compress – Use gzip compression
7.5.3 RequestsHttpConnection
7.6 Helpers
Collection of simple helper functions that abstract some specifics or the raw API.
There are several helpers for the bulk API since its requirement for specific formatting and other considerations can
make it cumbersome if used directly.
All bulk helpers accept an instance of Elasticsearch class and an iterable actions (any iterable, can also be a
generator, which is ideal in most cases since it will allow you to index large datasets without the need of loading them
into memory).
The items in the action iterable should be the documents we wish to index in several formats. The most common
one is the same as returned by search(), for example:
{
'_index': 'index-name',
'_type': 'document',
'_id': 42,
'_routing': 5,
'pipeline': 'my-ingest-pipeline',
'_source': {
"title": "Hello World!",
"body": "..."
(continues on next page)
82 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
Alternatively, if _source is not present, it will pop all metadata fields from the doc and use the rest as the document
data:
{
"_id": 42,
"_routing": 5,
"title": "Hello World!",
"body": "..."
}
The bulk() api accepts index, create, delete, and update actions. Use the _op_type field to specify an
action (_op_type defaults to index):
{
'_op_type': 'delete',
'_index': 'index-name',
'_type': 'document',
'_id': 42,
}
{
'_op_type': 'update',
'_index': 'index-name',
'_type': 'document',
'_id': 42,
'doc': {'question': 'The life, universe and everything.'}
}
Example:
Lets say we have an iterable of data. Lets say a list of words called mywords and we want to index those words into
individual documents where the structure of the document is like {"word": "<myword>"}.
def gendata():
mywords = ['foo', 'bar', 'baz']
for word in mywords:
yield {
"_index": "mywords",
"doc": {"word": myword},
}
bulk(es, gendata)
For a more complete and complex example please take a look at https://github.com/elastic/elasticsearch-py/blob/
master/example/load.py#L76-L130
Note: When reading raw json strings from a file, you can also pass them in directly (without decoding to dicts first).
In that case, however, you lose the ability to specify anything (index, type, even id) on a per-record basis, all documents
will just be sent to elasticsearch to be indexed as-is.
7.6. Helpers 83
Elasticsearch Documentation, Release 6.3.0
84 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
7.6.2 Scan
7.6. Helpers 85
Elasticsearch Documentation, Release 6.3.0
7.6.3 Reindex
Parameters
• client – instance of Elasticsearch to use (for read if target_client is specified as
well)
• source_index – index (or list of indices) to read documents from
• target_index – name of the index in the target cluster to populate
• query – body for the search() api
• target_client – optional, is specified will be used for writing (thus enabling reindex
between clusters)
• chunk_size – number of docs in one chunk sent to es (default: 500)
• scroll – Specify how long a consistent view of the index should be maintained for scrolled
search
• scan_kwargs – additional kwargs to be passed to scan()
• bulk_kwargs – additional kwargs to be passed to bulk()
7.7 Changelog
86 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• Updates to SSLContext logic to make it easier to use and have saner defaults.
• Doc updates
• bad release
• bulk helpers now extract pipeline parameter from the action dictionary.
7.7. Changelog 87
Elasticsearch Documentation, Release 6.3.0
The client now automatically sends Content-Type http header set to application/json. If you are explicitly
passing in other encoding than json you need to set the header manually.
• Fixed sniffing
• ping now ignores all TransportError exceptions and just returns False
• expose scroll_id on ScanError
• increase default size for scan helper to 1000
Internal:
• changed Transport.perform_request to just return the body, not status as well.
Due to change in json encoding the client will no longer mask issues with encoding - if you work with non-ascii data
in python 2 you must use the unicode type or have proper encoding set in your environment.
• adding additional options for ssh - ssl_assert_hostname and ssl_assert_fingerprint to the
default connection class
• fix sniffing
88 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
• move multiprocessing import inside parallel bulk for Google App Engine
• removed thrift and memcached connections, if you wish to continue using those, extract the classes and use
them separately.
• added a new, parallel version of the bulk helper using thread pools
• In helpers, removed bulk_index as an alias for bulk. Use bulk instead.
7.7. Changelog 89
Elasticsearch Documentation, Release 6.3.0
• Timeout now doesn’t trigger a retry by default (can be overriden by setting retry_on_timeout=True)
• Introduced new parameter retry_on_status (defaulting to (503, 504, )) controls which http status
code should lead to a retry.
• Implemented url parsing according to RFC-1738
• Added support for proper SSL certificate handling
• Required parameters are now checked for non-empty values
• ConnectionPool now checks if any connections were defined
• DummyConnectionPool introduced when no load balancing is needed (only one connection defined)
• Fixed a race condition in ConnectionPool
Elasticsearch 1.0 compatibility. See 0.4.X releases (and 0.4 branch) for code compatible with 0.90 elasticsearch.
• major breaking change - compatible with 1.0 elasticsearch releases only!
• Add an option to change the timeout used for sniff requests (sniff_timeout).
• empty responses from the server are now returned as empty strings instead of None
• get_alias now has name as another optional parameter due to issue #4539 in es repo. Note that the order of
params have changed so if you are not using keyword arguments this is a breaking change.
90 Chapter 7. Contents
Elasticsearch Documentation, Release 6.3.0
Initial release.
7.7. Changelog 91
Elasticsearch Documentation, Release 6.3.0
92 Chapter 7. Contents
CHAPTER 8
License
93
Elasticsearch Documentation, Release 6.3.0
94 Chapter 8. License
CHAPTER 9
• genindex
• modindex
• search
95
Elasticsearch Documentation, Release 6.3.0
e
elasticsearch, 75
elasticsearch.client, 37
elasticsearch.client.xpack, 64
elasticsearch.client.xpack.graph, 64
elasticsearch.client.xpack.license, 65
elasticsearch.client.xpack.migration,
74
elasticsearch.client.xpack.ml, 65
elasticsearch.client.xpack.security, 70
elasticsearch.client.xpack.watcher, 73
elasticsearch.connection, 80
elasticsearch.helpers, 83
97
Elasticsearch Documentation, Release 6.3.0
A close_job() (elasticsearch.client.xpack.ml.MlClient
ack_watch() (elasticsearch.client.xpack.watcher.WatcherClient method), 65
method), 73 ClusterClient (class in elasticsearch.client), 50
activate_watch() (elastic- ConflictError (class in elasticsearch), 75
search.client.xpack.watcher.WatcherClient Connection (class in elasticsearch.connection), 80
method), 73 ConnectionError (class in elasticsearch), 75
add_connection() (elasticsearch.Transport method), 77 ConnectionPool (class in elasticsearch), 78
aliases() (elasticsearch.client.CatClient method), 54 ConnectionSelector (class in elasticsearch), 79
allocation() (elasticsearch.client.CatClient method), 54 ConnectionTimeout (class in elasticsearch), 75
allocation_explain() (elasticsearch.client.ClusterClient count() (elasticsearch.client.CatClient method), 55
method), 50 count() (elasticsearch.Elasticsearch method), 21
analyze() (elasticsearch.client.IndicesClient method), 37 create() (elasticsearch.client.IndicesClient method), 38
create() (elasticsearch.client.SnapshotClient method), 61
authenticate() (elasticsearch.client.xpack.security.SecurityClient
method), 70 create() (elasticsearch.Elasticsearch method), 21
create_repository() (elasticsearch.client.SnapshotClient
B method), 61
bulk() (elasticsearch.Elasticsearch method), 20
bulk() (in module elasticsearch.helpers), 85
D
deactivate_watch() (elastic-
C search.client.xpack.watcher.WatcherClient
method), 73
cancel() (elasticsearch.client.TasksClient method), 63
delete() (elasticsearch.client.IndicesClient method), 38
CatClient (class in elasticsearch.client), 54
delete() (elasticsearch.client.SnapshotClient method), 61
change_password() (elastic-
delete() (elasticsearch.client.xpack.license.LicenseClient
search.client.xpack.security.SecurityClient
method), 65
method), 70
delete() (elasticsearch.Elasticsearch method), 22
clear_cache() (elasticsearch.client.IndicesClient method),
delete_alias() (elasticsearch.client.IndicesClient method),
37
39
clear_cached_realms() (elastic-
delete_by_query() (elasticsearch.Elasticsearch method),
search.client.xpack.security.SecurityClient
22
method), 70
delete_datafeed() (elasticsearch.client.xpack.ml.MlClient
clear_cached_roles() (elastic-
method), 65
search.client.xpack.security.SecurityClient
delete_expired_data() (elastic-
method), 71
search.client.xpack.ml.MlClient method),
clear_scroll() (elasticsearch.Elasticsearch method), 21
65
close() (elasticsearch.client.IndicesClient method), 38
delete_filter() (elasticsearch.client.xpack.ml.MlClient
close() (elasticsearch.ConnectionPool method), 78
method), 65
close() (elasticsearch.Transport method), 77
delete_job() (elasticsearch.client.xpack.ml.MlClient
close() (elasticsearch.Urllib3HttpConnection method), 80
method), 65
99
Elasticsearch Documentation, Release 6.3.0
100 Index
Elasticsearch Documentation, Release 6.3.0
Index 101
Elasticsearch Documentation, Release 6.3.0
102 Index
Elasticsearch Documentation, Release 6.3.0
update_model_snapshot() (elastic-
search.client.xpack.ml.MlClient method),
70
upgrade() (elasticsearch.client.IndicesClient method), 48
upgrade() (elasticsearch.client.xpack.migration.MigrationClient
method), 74
Urllib3HttpConnection (class in elasticsearch), 79
Urllib3HttpConnection (class in elastic-
search.connection), 81
usage() (elasticsearch.client.NodesClient method), 54
usage() (elasticsearch.client.xpack.XPackClient method),
64
V
validate() (elasticsearch.client.xpack.ml.MlClient
method), 70
validate_detector() (elastic-
search.client.xpack.ml.MlClient method),
70
validate_query() (elasticsearch.client.IndicesClient
method), 49
verify_repository() (elasticsearch.client.SnapshotClient
method), 62
W
WatcherClient (class in elastic-
search.client.xpack.watcher), 73
X
XPackClient (class in elasticsearch.client.xpack), 64
Index 103