- Java REST Client (deprecated): other versions:
- Overview
- Java Low Level REST Client
- Java High Level REST Client
- Getting started
- Document APIs
- Search APIs
- Miscellaneous APIs
- Index APIs
- Analyze API
- Create Index API
- Delete Index API
- Index Exists API
- Open Index API
- Close Index API
- Shrink Index API
- Split Index API
- Clone Index API
- Refresh API
- Flush API
- Flush Synced API
- Clear Cache API
- Force Merge API
- Rollover Index API
- Put Mapping API
- Get Mappings API
- Get Field Mappings API
- Index Aliases API
- Exists Alias API
- Get Alias API
- Update Indices Settings API
- Get Settings API
- Put Template API
- Validate Query API
- Get Templates API
- Templates Exist API
- Get Index API
- Freeze Index API
- Unfreeze Index API
- Delete Template API
- Reload Search Analyzers API
- Cluster APIs
- Ingest APIs
- Snapshot APIs
- Tasks APIs
- Script APIs
- Licensing APIs
- Machine Learning APIs
- Put anomaly detection job API
- Get anomaly detection jobs API
- Delete anomaly detection job API
- Open anomaly detection job API
- Close anomaly detection job API
- Update anomaly detection job API
- Flush Job API
- Put datafeed API
- Update datafeed API
- Get datafeed API
- Delete datafeed API
- Preview Datafeed API
- Start datafeed API
- Stop Datafeed API
- Get datafeed stats API
- Get anomaly detection job stats API
- Forecast Job API
- Delete Forecast API
- Get buckets API
- Get overall buckets API
- Get records API
- Post Data API
- Get influencers API
- Get categories API
- Get calendars API
- Put calendar API
- Get calendar events API
- Post Calendar Event API
- Delete calendar event API
- Put anomaly detection jobs in calendar API
- Delete anomaly detection jobs from calendar API
- Delete calendar API
- Get data frame analytics jobs API
- Get data frame analytics jobs stats API
- Put data frame analytics jobs API
- Delete data frame analytics jobs API
- Start data frame analytics jobs API
- Stop data frame analytics jobs API
- Evaluate data frame analytics API
- Estimate memory usage API
- Put Filter API
- Get filters API
- Update filter API
- Delete Filter API
- Get model snapshots API
- Delete Model Snapshot API
- Revert Model Snapshot API
- Update model snapshot API
- ML get info API
- Delete Expired Data API
- Set Upgrade Mode API
- Migration APIs
- Rollup APIs
- Security APIs
- Put User API
- Get Users API
- Delete User API
- Enable User API
- Disable User API
- Change Password API
- Put Role API
- Get Roles API
- Delete Role API
- Delete Privileges API
- Get Builtin Privileges API
- Get Privileges API
- Clear Roles Cache API
- Clear Realm Cache API
- Authenticate API
- Has Privileges API
- Get User Privileges API
- SSL Certificate API
- Put Role Mapping API
- Get Role Mappings API
- Delete Role Mapping API
- Create Token API
- Invalidate Token API
- Put Privileges API
- Create API Key API
- Get API Key information API
- Invalidate API Key API
- Watcher APIs
- Graph APIs
- CCR APIs
- Index Lifecycle Management APIs
- Snapshot Lifecycle Management APIs
- Transform APIs
- Using Java Builders
- Migration Guide
- License
Changing the application’s code
editChanging the application’s code
editThe RestHighLevelClient
supports the same request and response objects
as the TransportClient
, but exposes slightly different methods to
send the requests.
More importantly, the high-level client:
-
does not support request builders. The legacy methods like
client.prepareIndex()
must be changed to use request constructors likenew IndexRequest()
to create requests objects. The requests are then executed using synchronous or asynchronous dedicated methods likeclient.index()
orclient.indexAsync()
.
How to migrate the way requests are built
editThe Java API provides two ways to build a request: by using the request’s constructor or by using
a request builder. Migrating from the TransportClient
to the high-level client can be
straightforward if application’s code uses the former, while changing usages of the latter can
require more work.
With request constructors
editWhen request constructors are used, like in the following example:
IndexRequest request = new IndexRequest("index").id("id"); request.source("{\"field\":\"value\"}", XContentType.JSON);
The migration is very simple. The execution using the TransportClient
:
IndexResponse response = transportClient.index(indexRequest).actionGet();
Can be easily replaced to use the RestHighLevelClient
:
IndexResponse response = client.index(request, RequestOptions.DEFAULT);
With request builders
editThe Java API provides a request builder for every type of request. They are exposed by the
TransportClient
through the many prepare()
methods. Here are some examples:
IndexRequestBuilder indexRequestBuilder = transportClient.prepareIndex(); DeleteRequestBuilder deleteRequestBuilder = transportClient.prepareDelete(); SearchRequestBuilder searchRequestBuilder = transportClient.prepareSearch();
Create a |
|
Create a |
|
Create a |
Since the Java High Level REST Client does not support request builders, applications that use them must be changed to use requests constructors instead.
While you are incrementally migrating your application and you have both the transport client
and the high level client available you can always get the Request
object from the Builder
object
by calling Builder.request()
. We do not advise continuing to depend on the builders in the long run
but it should be possible to use them during the transition from the transport client to the high
level rest client.
How to migrate the way requests are executed
editThe TransportClient
allows to execute requests in both synchronous and asynchronous ways. This is also
possible using the high-level client.
Synchronous execution
editThe following example shows how a DeleteRequest
can be synchronously executed using the TransportClient
:
DeleteRequest request = new DeleteRequest("index", "doc", "id"); DeleteResponse response = transportClient.delete(request).actionGet();
Create the |
|
Execute the |
The same request synchronously executed using the high-level client is:
Asynchronous execution
editThe following example shows how a DeleteRequest
can be asynchronously executed using the TransportClient
:
DeleteRequest request = new DeleteRequest("index", "doc", "id"); transportClient.delete(request, new ActionListener<DeleteResponse>() { @Override public void onResponse(DeleteResponse deleteResponse) { } @Override public void onFailure(Exception e) { } });
Create the |
|
Execute the |
|
The |
|
The |
The same request asynchronously executed using the high-level client is:
DeleteRequest request = new DeleteRequest("index", "id"); client.deleteAsync(request, RequestOptions.DEFAULT, new ActionListener<DeleteResponse>() { @Override public void onResponse(DeleteResponse deleteResponse) { } @Override public void onFailure(Exception e) { } });
Create the |
|
Execute the |
|
The |
|
The |
Checking Cluster Health using the Low-Level REST Client
editAnother common need is to check the cluster’s health using the Cluster API. With
the TransportClient
it can be done this way:
ClusterHealthResponse response = client.admin().cluster().prepareHealth().get(); ClusterHealthStatus healthStatus = response.getStatus(); if (healthStatus != ClusterHealthStatus.GREEN) { }
Execute a |
|
Retrieve the cluster’s health status from the response |
|
Handle the situation where the cluster’s health is not green |
With the low-level client, the code can be changed to:
Request request = new Request("GET", "/_cluster/health"); request.addParameter("wait_for_status", "green"); Response response = client.getLowLevelClient().performRequest(request); ClusterHealthStatus healthStatus; try (InputStream is = response.getEntity().getContent()) { Map<String, Object> map = XContentHelper.convertToMap(XContentType.JSON.xContent(), is, true); healthStatus = ClusterHealthStatus.fromStringString) map.get("status"; } if (healthStatus != ClusterHealthStatus.GREEN) { }
Set up the request to wait for the cluster’s health to become green if it isn’t already. |
|
Make the request and the get back a |
|
Retrieve an |
|
Parse the response’s content using Elasticsearch’s helper class |
|
Retrieve the value of the |
|
Handle the situation where the cluster’s health is not green |
Note that for convenience this example uses Elasticsearch’s helpers to parse the JSON response body, but any other JSON parser could have been use instead.
On this page