NEST Breaking Changesedit

This lists all the binary breaking public API changes between NEST 6.8.0, the last 6.x version released when 7.0 went GA release, and 7.0.0.

The intention in providing such a large list is to allow you to quickly and easily search the changes between the two major versions, to understand what has been removed and equally importantly, what has been added.

Oh my goodness, this looks like a lot of breaking changes! In a lot of cases however, changes will not necessarily equate to compiler errors and therefore no action would be required on upgrade.

The main breaking changes in this release are outlined below.

Types removaledit

Specifying types within the .NET clients is now deprecated in 7.0, inline with the overall Elasticsearch type removal strategy.

In instances where your index contains type information and you need to preserve this information, one recommendation is to introduce a property to describe the document type (similar to a table per class with discriminator field in the ORM world) and then implement a custom serialization / deserialization implementation for that class.

Utf8Json for serializationedit

SimpleJson has been completely removed and replaced with an implementation of Utf8Json, a fast serializer that works directly with UTF-8 binary. This has yielded a significant performance improvement.

That said, we removed some features that were available in the previous JSON libraries, that have currently proven too onerous to carry forward at this stage.

  • JSON in the request is never indented, even if SerializationFormatting.Indented is specified. The serialization routines generated by Utf8Json never generate an IJsonFormatter<T> that will indent JSON, for performance reasons. We are considering options for exposing indented JSON for development and debugging purposes.
  • NEST types cannot be extended by inheritance. With NEST 6.x, additional properties can be included for a type by deriving from that type and annotating these new properties. With the current implementation of serialization with Utf8Json, this approach will not work.
  • Serializer uses Reflection.Emit. Utf8Json uses Reflection.Emit to generate efficient formatters for serializing types that it sees. Reflection.Emit is not supported on all platforms e.g. UWP, Xamarin.iOS, Xamarin.Android.
  • Utf8Json is much stricter when deserializing JSON object field names to C# POCO properties. With the internal Json.NET serializer in 6.x, JSON object field names would attempt to be matched with C# POCO property names first by an exact match, falling back to a case insensitive match. With Utf8Json in 7.x however, JSON object field names must match exactly the name configured for the C# POCO property name.
  • DateTime and DateTimeOffset are serialized with 7 sub-second fractional digits when the instance specifies a non-zero millisecond value. For example

    • new DateTime(2019,9,5, 12, 0, 0, 3) serializes to "2019-09-05T12:00:00.0030000"
    • new DateTimeOffset(2019,9,5, 12, 0, 0, 3, TimeSpan.FromHours(12)) serializes to "2019-09-05T12:00:00.0030000+12:00"

High to Low level client dispatch changesedit

In 6.x, the process of an API call within NEST looked roughly like

client.Search()
=> Dispatch()
=> LowLevelDispatch.SearchDispatch()
=> lowlevelClient.Search()
=> lowlevelClient.DoRequest()

With 7.x, this process has been changed to remove dispatching to the low level client methods. The new process looks like

client.Search()
=> lowlevelClient.DoRequest()

This means that in the high level client IRequest now builds its own urls, with the upside that the call chain is shorter and allocates fewer closures. The downside is that there are now two URL building mechanisms, one in the low level client and a new one in the high level client. In practice this area of the codebase is kept up to date via code generation, so does not place any additional burden on development.

Given the simplified call chain and debugging experience, we believe this is an improvement worth making.

Namespaced API methods and Upgrade Assistantedit

As the API surface of Elasticsearch has grown to well over 200 endpoints, so has the number of client methods exposed, leading to an almost overwhelming number to navigate and explore through in an IDE.

This is further exacerbated by the fact that the .NET client exposes both synchronous and asynchronous API methods for both the fluent API syntax as well as the object initializer syntax.

To address this, the APIs are now accessible through sub-properties on the client instance.

For example, in 6.x, to create a Machine Learning job:

var putJobResponse = client.PutJob<Metric>("id", c => c
    .Description("Lab 1 - Simple example")
    .ResultsIndexName("server-metrics")
	.AnalysisConfig(a => a
        .BucketSpan("30m")
        .Latency("0s")
    	.Detectors(d => d.Sum(c => c.FieldName(r => r.Total)))
	)
	.DataDescription(d => d.TimeField(r => r.Timestamp));
);

This has changed to:

var putJobResponse = client.MachineLearning.PutJob<Metric>("id", c => c
    .Description("Lab 1 - Simple example")
    .ResultsIndexName("server-metrics")
	.AnalysisConfig(a => a
        .BucketSpan("30m")
        .Latency("0s")
    	.Detectors(d => d.Sum(c => c.FieldName(r => r.Total)))
	)
	.DataDescription(d => d.TimeField(r => r.Timestamp));
);

Notice the client.MachineLearning.PutJob method call in 7.0, as opposed to client.PutJob in 6.x.

We believe this grouping of functionality leads to a better discoverability experience when writing your code, and more readable code when reviewing somebody else’s.

The Upgrade Assistantedit

To assist developers in migrating from 6.x, we have published the Nest.7xUpgradeAssistant package. This package uses extension methods to reroute the method calls on the client object root to the sub-property calls.

When included in the project and the using Nest.ElasticClientExtensions; statement is added the calls will be redirected. The result is that your project still compiles, albeit that a compiler Obsolete warning is issued instead.

This package is to assist developers migrating from 6.x to 7.0 and is limited in scope to this purpose. It is recommended that you observe the compiler warnings and adjust your code as indicated.

Response Interfaces removededit

Most API methods now return classes and not interfaces, for example, the client method client.Cat.Help now returns a CatResponse<CatAliasesRecord> as opposed to an interface named ICatResponse<CatAliasesRecord>.

In instances where methods can benefit from returning an interface, these have been left intact, for example, ISearchResponse<T>.

Why make the change?edit

Firstly, this significantly reduces the number of types in the library, reducing the overall download size, improving assembly load times and eventually the execution. Secondly, it removes the need for us to manage the conversion of a Task<Response> to Task<IResponse>, a somewhat awkward part of the request pipeline.

The downside is that it does make it somewhat more difficult to create mocks / stubs of responses in the client.

After lengthy discussion we decided that users can achieve a similar result using a JSON string and the InMemoryConnection, a technique we use extensively in the Tests.Reproduce project. An example can be found in the Tests.Reproduce project.

Another alternative would be to introduce an intermediate layer in your application, and conceal the client calls and objects within that layer so they can be mocked.

Response.IsValid semanticsedit

IApiCallDetails.Success and ResponseBase.IsValid have been simplified, making it easier to inspect if a request to Elasticsearch was indeed successful or not.

Low Level Clientedit

If the status code from Elasticsearch is 2xx then .Success will be true. In instances where a 404 status code is received, for example if a GET request results in a missing document, then .Success will be false. This is also the case for HEAD requests that result in a 404.

This is controlled via IConnectionConfiguration.StatusCodeToResponseSuccess, which currently has no public setter.

High Level Clientedit

The NEST high level client overrides StatusCodeToResponseSuccess, whereby 404 status codes now sets .Success as true.

The reasoning here is that because NEST is in full control of url and path building the only instances where a 404 is received is in the case of a missing document, never from a missing endpoint. However, in the case of a 404 the ResponseBase.IsValid property will be false.

It has the nice side effect that if you set .ThrowExceptions() and perform an action on an entity that does not exist it won’t throw as .ThrowExceptions() only inspects .Success on ApiCallDetails.

Public API changesedit

Nest.AcknowledgedResponseBaseedit

Acknowledged property getter

changed to non-virtual.

IsValid property

added

Nest.AcknowledgeWatchDescriptoredit

AcknowledgeWatchDescriptor() method

added

AcknowledgeWatchDescriptor(Id) method

Parameter name changed from watch_id to watchId.

AcknowledgeWatchDescriptor(Id, Ids) method

added

ActionId(ActionIds) method

deleted

ActionId(Ids) method

added

MasterTimeout(Time) method

deleted

Nest.AcknowledgeWatchRequestedit

AcknowledgeWatchRequest() method

added

AcknowledgeWatchRequest(Id) method

Parameter name changed from watch_id to watchId.

AcknowledgeWatchRequest(Id, ActionIds) method

deleted

AcknowledgeWatchRequest(Id, Ids) method

added

MasterTimeout property

deleted

Nest.AcknowledgeWatchResponseedit

Status property getter

changed to non-virtual.

Nest.ActionIdsedit

type

deleted

Nest.ActionsDescriptoredit

HipChat(String, Func<HipChatActionDescriptor, IHipChatAction>) method

deleted

Nest.ActivateWatchDescriptoredit

ActivateWatchDescriptor() method

added

ActivateWatchDescriptor(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout(Time) method

deleted

Nest.ActivateWatchRequestedit

ActivateWatchRequest() method

added

ActivateWatchRequest(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout property

deleted

Nest.ActivateWatchResponseedit

Status property getter

changed to non-virtual.

Nest.AggregateDictionaryedit

IpRange(String) method

Member type changed from MultiBucketAggregate<RangeBucket> to MultiBucketAggregate<IpRangeBucket>.

SignificantTerms(String) method

Member type changed from SignificantTermsAggregate to SignificantTermsAggregate<String>.

SignificantTerms<TKey>(String) method

added

SignificantText(String) method

Member type changed from SignificantTermsAggregate to SignificantTermsAggregate<String>.

SignificantText<TKey>(String) method

added

Nest.AliasExistsDescriptoredit

AliasExistsDescriptor() method

Member is less visible.

AliasExistsDescriptor(Indices, Names) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Name(Names) method

deleted

Nest.AliasExistsRequestedit

AliasExistsRequest() method

added

Nest.AllocationIdedit

type

deleted

Nest.AnalysisConfigDescriptor<T>edit

CategorizationFieldName(Expression<Func<T, Object>>) method

deleted

CategorizationFieldName<TValue>(Expression<Func<T, TValue>>) method

added

SummaryCountFieldName(Expression<Func<T, Object>>) method

deleted

SummaryCountFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.AnalyzeCharFiltersedit

Add(String) method

added

Nest.AnalyzeDescriptoredit

AnalyzeDescriptor(IndexName) method

added

Field<T, TValue>(Expression<Func<T, TValue>>) method

added

Format(Nullable<Format>) method

deleted

PreferLocal(Nullable<Boolean>) method

deleted

Nest.AnalyzeRequestedit

Format property

deleted

PreferLocal property

deleted

Nest.AnalyzeResponseedit

Detail property getter

changed to non-virtual.

Tokens property getter

changed to non-virtual.

Nest.AnalyzeTokenFiltersDescriptoredit

Standard(Func<StandardTokenFilterDescriptor, IStandardTokenFilter>) method

deleted

Nest.ApiKeysedit

Creation property setter

Member is more visible.

Expiration property setter

Member is more visible.

Id property setter

Member is more visible.

Invalidated property setter

Member is more visible.

Name property setter

Member is more visible.

Realm property setter

Member is more visible.

Username property setter

Member is more visible.

Nest.AppendProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ApplicationPrivilegesDescriptoredit

Add<T>(Func<ApplicationPrivilegesDescriptor<T>, IApplicationPrivileges>) method

deleted

Application(String) method

added

Privileges(IEnumerable<String>) method

added

Privileges(String[]) method

added

Resources(IEnumerable<String>) method

added

Resources(String[]) method

added

Nest.ApplicationPrivilegesDescriptor<T>edit

type

deleted

Nest.ApplicationPrivilegesListDescriptoredit

type

added

Nest.AttachmentProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

IndexedCharactersField(Expression<Func<T, Object>>) method

deleted

IndexedCharactersField<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.AuthenticateResponseedit

AuthenticationRealm property getter

changed to non-virtual.

Email property getter

changed to non-virtual.

FullName property getter

changed to non-virtual.

LookupRealm property getter

changed to non-virtual.

Metadata property getter

changed to non-virtual.

Roles property getter

changed to non-virtual.

Username property getter

changed to non-virtual.

Nest.AutoDateHistogramAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.BlockingSubscribeExtensionsedit

Wait<T>(BulkAllObservable<T>, TimeSpan, Action<BulkAllResponse>) method

added

Wait<T>(BulkAllObservable<T>, TimeSpan, Action<IBulkAllResponse>) method

deleted

Wait(IObservable<BulkAllResponse>, TimeSpan, Action<BulkAllResponse>) method

added

Wait(IObservable<IBulkAllResponse>, TimeSpan, Action<IBulkAllResponse>) method

deleted

Nest.BlockStateedit

type

deleted

Nest.BucketAggregateedit

Meta property setter

changed to non-virtual.

Nest.BucketAggregateBaseedit

Meta property setter

changed to non-virtual.

Nest.BucketAggregationDescriptorBase<TBucketAggregation, TBucketAggregationInterface, T>edit

Assign(Action<TBucketAggregationInterface>) method

deleted

Nest.BulkAliasDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.BulkAllDescriptor<T>edit

DroppedDocumentCallback(Action<BulkResponseItemBase, T>) method

added

DroppedDocumentCallback(Action<IBulkResponseItem, T>) method

deleted

Refresh(Nullable<Refresh>) method

deleted

RetryDocumentPredicate(Func<BulkResponseItemBase, T, Boolean>) method

added

RetryDocumentPredicate(Func<IBulkResponseItem, T, Boolean>) method

deleted

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Nest.BulkAllObservable<T>edit

Subscribe(IObserver<BulkAllResponse>) method

added

Subscribe(IObserver<IBulkAllResponse>) method

deleted

IsDisposed property

deleted

Nest.BulkAllObserveredit

BulkAllObserver(Action<BulkAllResponse>, Action<Exception>, Action) method

added

BulkAllObserver(Action<IBulkAllResponse>, Action<Exception>, Action) method

deleted

Nest.BulkAllRequest<T>edit

Refresh property

deleted

Type property

deleted

Nest.BulkAllResponseedit

IsValid property

deleted

Items property getter

changed to non-virtual.

Page property getter

changed to non-virtual.

Retries property getter

changed to non-virtual.

Nest.BulkDeleteDescriptor<T>edit

IfPrimaryTerm(Nullable<Int64>) method

added

IfSequenceNumber(Nullable<Int64>) method

added

Nest.BulkDeleteOperation<T>edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.BulkDescriptoredit

BulkDescriptor(IndexName) method

added

Fields(Fields) method

deleted

Fields<T>(Expression<Func<T, Object>>[]) method

deleted

SourceEnabled(Nullable<Boolean>) method

Parameter name changed from sourceEnabled to sourceenabled.

SourceExclude(Fields) method

deleted

SourceExclude<T>(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes<T>(Expression<Func<T, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude<T>(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes<T>(Expression<Func<T, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

TypeQueryString(String) method

added

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.BulkErroredit

type

deleted

Nest.BulkIndexByScrollFailureedit

Nest.BulkIndexDescriptor<T>edit

IfPrimaryTerm(Nullable<Int64>) method

added

IfSequenceNumber(Nullable<Int64>) method

added

Nest.BulkIndexFailureCauseedit

type

deleted

Nest.BulkIndexOperation<T>edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.BulkOperationBaseedit

Parent property

deleted

Type property

deleted

Nest.BulkOperationDescriptorBase<TDescriptor, TInterface>edit

Parent(Id) method

deleted

Type<T>() method

deleted

Type(TypeName) method

deleted

Nest.BulkOperationsCollection<TOperation>edit

type

added

Nest.BulkRequestedit

BulkRequest(IndexName, TypeName) method

deleted

Fields property

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

TypeQueryString property

added

Nest.BulkResponseedit

Errors property getter

changed to non-virtual.

Items property getter

changed to non-virtual.

ItemsWithErrors property getter

changed to non-virtual.

Took property getter

changed to non-virtual.

Nest.BulkResponseItemBaseedit

Error property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Index property getter

changed to non-virtual.

IsValid property getter

changed to non-virtual.

PrimaryTerm property getter

changed to non-virtual.

Result property getter

changed to non-virtual.

SequenceNumber property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Status property getter

changed to non-virtual.

Type property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.BytesProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.BytesValueConverteredit

type

deleted

Nest.CancelTasksDescriptoredit

CancelTasksDescriptor(TaskId) method

added

ParentNode(String) method

deleted

ParentTaskId(String) method

Parameter name changed from parentTaskId to parenttaskid.

Nest.CancelTasksRequestedit

CancelTasksRequest(TaskId) method

Parameter name changed from task_id to taskId.

ParentNode property

deleted

Nest.CancelTasksResponseedit

NodeFailures property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.CatAliasesDescriptoredit

CatAliasesDescriptor(Names) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatAllocationDescriptoredit

CatAllocationDescriptor(NodeIds) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatAllocationRequestedit

CatAllocationRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

Nest.CatCountDescriptoredit

CatCountDescriptor(Indices) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CategoryIdedit

type

deleted

Nest.CatFielddataDescriptoredit

CatFielddataDescriptor(Fields) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatHealthDescriptoredit

IncludeTimestamp(Nullable<Boolean>) method

Parameter name changed from includeTimestamp to includetimestamp.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatHelpDescriptoredit

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatIndicesDescriptoredit

CatIndicesDescriptor(Indices) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatIndicesRecordedit

UUID property

added

Nest.CatMasterDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatNodeAttributesDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatNodesDescriptoredit

FullId(Nullable<Boolean>) method

Parameter name changed from fullId to fullid.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatPendingTasksDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatPluginsDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatRecoveryDescriptoredit

CatRecoveryDescriptor(Indices) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatRepositoriesDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatResponse<TCatRecord>edit

Records property getter

changed to non-virtual.

Nest.CatSegmentsDescriptoredit

CatSegmentsDescriptor(Indices) method

added

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatShardsDescriptoredit

CatShardsDescriptor(Indices) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatSnapshotsDescriptoredit

CatSnapshotsDescriptor(Names) method

added

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatSnapshotsRecordedit

SuccesfulShards property

deleted

SuccessfulShards property

added

Nest.CatTasksDescriptoredit

NodeId(String[]) method

Parameter name changed from nodeId to nodeid.

ParentNode(String) method

deleted

ParentTask(Nullable<Int64>) method

Parameter name changed from parentTask to parenttask.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatTasksRequestedit

ParentNode property

deleted

Nest.CatTemplatesDescriptoredit

CatTemplatesDescriptor(Name) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatTemplatesRecordedit

Nest.CatThreadPoolDescriptoredit

CatThreadPoolDescriptor(Names) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatThreadPoolRecordedit

Core property

added

Minimum property

deleted

PoolSize property

added

Nest.CatThreadPoolRequestedit

CatThreadPoolRequest(Names) method

Parameter name changed from thread_pool_patterns to threadPoolPatterns.

Nest.CcrStatsResponseedit

AutoFollowStats property getter

changed to non-virtual.

FollowStats property getter

changed to non-virtual.

Nest.ChangePasswordDescriptoredit

ChangePasswordDescriptor(Name) method

added

Nest.CircleGeoShapeedit

CircleGeoShape() method

Member is less visible.

CircleGeoShape(GeoCoordinate) method

deleted

CircleGeoShape(GeoCoordinate, String) method

added

Nest.ClassicSimilarityedit

type

deleted

Nest.ClassicSimilarityDescriptoredit

type

deleted

Nest.ClearCacheDescriptoredit

ClearCacheDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Recycler(Nullable<Boolean>) method

deleted

RequestCache(Nullable<Boolean>) method

deleted

Nest.ClearCachedRealmsDescriptoredit

ClearCachedRealmsDescriptor() method

added

Nest.ClearCachedRealmsRequestedit

ClearCachedRealmsRequest() method

added

Nest.ClearCachedRealmsResponseedit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.ClearCachedRolesDescriptoredit

ClearCachedRolesDescriptor() method

added

Nest.ClearCachedRolesRequestedit

ClearCachedRolesRequest() method

added

Nest.ClearCachedRolesResponseedit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.ClearCacheRequestedit

Recycler property

deleted

RequestCache property

deleted

Nest.ClearSqlCursorResponseedit

Succeeded property getter

changed to non-virtual.

Nest.CloseIndexDescriptoredit

CloseIndexDescriptor() method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.CloseIndexRequestedit

CloseIndexRequest() method

added

Nest.CloseJobDescriptoredit

CloseJobDescriptor() method

added

CloseJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

AllowNoJobs(Nullable<Boolean>) method

Parameter name changed from allowNoJobs to allownojobs.

Nest.CloseJobRequestedit

CloseJobRequest() method

added

CloseJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.CloseJobResponseedit

Closed property getter

changed to non-virtual.

Nest.ClrTypeMappingedit

TypeName property

deleted

Nest.ClrTypeMappingDescriptoredit

TypeName(String) method

deleted

Nest.ClrTypeMappingDescriptor<TDocument>edit

TypeName(String) method

deleted

Nest.ClusterAllocationExplainDescriptoredit

IncludeDiskInfo(Nullable<Boolean>) method

Parameter name changed from includeDiskInfo to includediskinfo.

IncludeYesDecisions(Nullable<Boolean>) method

Parameter name changed from includeYesDecisions to includeyesdecisions.

Nest.ClusterAllocationExplainResponseedit

AllocateExplanation property getter

changed to non-virtual.

AllocationDelay property getter

changed to non-virtual.

AllocationDelayInMilliseconds property getter

changed to non-virtual.

CanAllocate property getter

changed to non-virtual.

CanMoveToOtherNode property getter

changed to non-virtual.

CanRebalanceCluster property getter

changed to non-virtual.

CanRebalanceClusterDecisions property getter

changed to non-virtual.

CanRebalanceToOtherNode property getter

changed to non-virtual.

CanRemainDecisions property getter

changed to non-virtual.

CanRemainOnCurrentNode property getter

changed to non-virtual.

ConfiguredDelay property getter

changed to non-virtual.

ConfiguredDelayInMilliseconds property getter

changed to non-virtual.

CurrentNode property getter

changed to non-virtual.

CurrentState property getter

changed to non-virtual.

Index property getter

changed to non-virtual.

MoveExplanation property getter

changed to non-virtual.

NodeAllocationDecisions property getter

changed to non-virtual.

Primary property getter

changed to non-virtual.

RebalanceExplanation property getter

changed to non-virtual.

RemainingDelay property getter

changed to non-virtual.

RemainingDelayInMilliseconds property getter

changed to non-virtual.

Shard property getter

changed to non-virtual.

UnassignedInformation property getter

changed to non-virtual.

Nest.ClusterFileSystemedit

Available property

deleted

Free property

deleted

Total property

deleted

Nest.ClusterGetSettingsDescriptoredit

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IncludeDefaults(Nullable<Boolean>) method

Parameter name changed from includeDefaults to includedefaults.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.ClusterGetSettingsResponseedit

Persistent property getter

changed to non-virtual.

Transient property getter

changed to non-virtual.

Nest.ClusterHealthDescriptoredit

ClusterHealthDescriptor(Indices) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

WaitForEvents(Nullable<WaitForEvents>) method

Parameter name changed from waitForEvents to waitforevents.

WaitForNodes(String) method

Parameter name changed from waitForNodes to waitfornodes.

WaitForNoInitializingShards(Nullable<Boolean>) method

Parameter name changed from waitForNoInitializingShards to waitfornoinitializingshards.

WaitForNoRelocatingShards(Nullable<Boolean>) method

Parameter name changed from waitForNoRelocatingShards to waitfornorelocatingshards.

WaitForStatus(Nullable<WaitForStatus>) method

Parameter name changed from waitForStatus to waitforstatus.

Nest.ClusterHealthResponseedit

ActivePrimaryShards property getter

changed to non-virtual.

ActiveShards property getter

changed to non-virtual.

ActiveShardsPercentAsNumber property getter

changed to non-virtual.

ClusterName property getter

changed to non-virtual.

DelayedUnassignedShards property getter

changed to non-virtual.

Indices property getter

changed to non-virtual.

InitializingShards property getter

changed to non-virtual.

NumberOfDataNodes property getter

changed to non-virtual.

NumberOfInFlightFetch property getter

changed to non-virtual.

NumberOfNodes property getter

changed to non-virtual.

NumberOfPendingTasks property getter

changed to non-virtual.

RelocatingShards property getter

changed to non-virtual.

Status property getter

changed to non-virtual.

TaskMaxWaitTimeInQueueInMilliseconds property getter

changed to non-virtual.

TimedOut property getter

changed to non-virtual.

UnassignedShards property getter

changed to non-virtual.

Nest.ClusterJvmedit

MaxUptime property

deleted

Nest.ClusterJvmMemoryedit

HeapMax property

deleted

HeapUsed property

deleted

Nest.ClusterJvmVersionedit

BundledJdk property

added

UsingBundledJdk property

added

Nest.ClusterNodesStatsedit

DiscoveryTypes property

added

Nest.ClusterPendingTasksDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.ClusterPendingTasksResponseedit

Tasks property getter

changed to non-virtual.

Nest.ClusterPutSettingsDescriptoredit

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.ClusterPutSettingsResponseedit

Acknowledged property getter

changed to non-virtual.

Persistent property getter

changed to non-virtual.

Transient property getter

changed to non-virtual.

Nest.ClusterRerouteDescriptoredit

DryRun(Nullable<Boolean>) method

Parameter name changed from dryRun to dryrun.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

RetryFailed(Nullable<Boolean>) method

Parameter name changed from retryFailed to retryfailed.

Nest.ClusterRerouteResponseedit

Explanations property getter

changed to non-virtual.

State property getter

changed to non-virtual.

Nest.ClusterRerouteStateedit

type

deleted

Nest.ClusterStateDescriptoredit

ClusterStateDescriptor(Metrics) method

added

ClusterStateDescriptor(Metrics, Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Metric(ClusterStateMetric) method

deleted

Metric(Metrics) method

added

WaitForMetadataVersion(Nullable<Int64>) method

Parameter name changed from waitForMetadataVersion to waitformetadataversion.

WaitForTimeout(Time) method

Parameter name changed from waitForTimeout to waitfortimeout.

Nest.ClusterStateRequestedit

ClusterStateRequest(ClusterStateMetric) method

deleted

ClusterStateRequest(ClusterStateMetric, Indices) method

deleted

ClusterStateRequest(Metrics) method

added

ClusterStateRequest(Metrics, Indices) method

added

Nest.ClusterStateResponseedit

Blocks property

deleted

ClusterName property getter

changed to non-virtual.

ClusterUUID property getter

changed to non-virtual.

MasterNode property getter

changed to non-virtual.

Metadata property

deleted

Nodes property

deleted

RoutingNodes property

deleted

RoutingTable property

deleted

State property

added

StateUUID property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.ClusterStatsDescriptoredit

ClusterStatsDescriptor(NodeIds) method

added

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

Nest.ClusterStatsRequestedit

ClusterStatsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

Nest.ClusterStatsResponseedit

ClusterName property getter

changed to non-virtual.

ClusterUUID property getter

changed to non-virtual.

Indices property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Status property getter

changed to non-virtual.

Timestamp property getter

changed to non-virtual.

Nest.CompletionStatsedit

Size property

deleted

Nest.CompletionSuggesteredit

Nest.CompletionSuggesterDescriptor<T>edit

Fuzzy(Func<FuzzySuggestDescriptor<T>, IFuzzySuggester>) method

deleted

Fuzzy(Func<SuggestFuzzinessDescriptor<T>, ISuggestFuzziness>) method

added

Nest.CompositeAggregationedit

Nest.CompositeAggregationDescriptor<T>edit

After(CompositeKey) method

added

After(Object) method

deleted

Nest.CompositeAggregationSourceBaseedit

Missing property

deleted

Nest.CompositeAggregationSourceDescriptorBase<TDescriptor, TInterface, T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Missing(Object) method

deleted

Nest.ConnectionSettingsBase<TConnectionSettings>edit

DefaultTypeName(String) method

deleted

DefaultTypeNameInferrer(Func<Type, String>) method

deleted

HttpStatusCodeClassifier(HttpMethod, Int32) method

added

InferMappingFor<TDocument>(Func<ClrTypeMappingDescriptor<TDocument>, IClrTypeMapping<TDocument>>) method

deleted

Nest.ConstantScoreQueryedit

Lang property

deleted

Params property

deleted

Script property

deleted

Nest.ConvertProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.CorePropertyBaseedit

Nest.CorePropertyDescriptorBase<TDescriptor, TInterface, T>edit

Similarity(Nullable<SimilarityOption>) method

deleted

Nest.CountDescriptor<TDocument>edit

CountDescriptor(Indices) method

added

AllIndices() method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

AllTypes() method

deleted

Analyzer(String) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

AnalyzeWildcard(Nullable<Boolean>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

DefaultOperator(Nullable<DefaultOperator>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Df(String) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

IgnoreThrottled(Nullable<Boolean>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Index<TOther>() method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Index(Indices) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Lenient(Nullable<Boolean>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

MinScore(Nullable<Double>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Preference(String) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

QueryOnQueryString(String) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Routing(Routing) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

TerminateAfter(Nullable<Int64>) method

Member type changed from CountDescriptor<T> to CountDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Nest.CountDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.CountRequestedit

CountRequest(Indices, Types) method

deleted

Nest.CountRequest<TDocument>edit

CountRequest(Indices, Types) method

deleted

AllowNoIndices property

deleted

Analyzer property

deleted

AnalyzeWildcard property

deleted

DefaultOperator property

deleted

Df property

deleted

ExpandWildcards property

deleted

HttpMethod property

deleted

IgnoreThrottled property

deleted

IgnoreUnavailable property

deleted

Lenient property

deleted

MinScore property

deleted

Preference property

deleted

Query property

deleted

QueryOnQueryString property

deleted

Routing property

deleted

Self property

deleted

TerminateAfter property

deleted

TypedSelf property

added

Nest.CountResponseedit

Count property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Nest.CreateApiKeyResponseedit

ApiKey property getter

changed to non-virtual.

Expiration property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Name property getter

changed to non-virtual.

Nest.CreateAutoFollowPatternDescriptoredit

CreateAutoFollowPatternDescriptor() method

added

Nest.CreateAutoFollowPatternRequestedit

CreateAutoFollowPatternRequest() method

added

Nest.CreateDescriptor<TDocument>edit

CreateDescriptor() method

added

CreateDescriptor(DocumentPath<TDocument>) method

deleted

CreateDescriptor(Id) method

added

CreateDescriptor(IndexName, Id) method

added

CreateDescriptor(IndexName, TypeName, Id) method

deleted

CreateDescriptor(TDocument, IndexName, Id) method

added

Parent(String) method

deleted

Type<TOther>() method

deleted

Type(TypeName) method

deleted

VersionType(Nullable<VersionType>) method

Parameter name changed from versionType to versiontype.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.CreateFollowIndexDescriptoredit

CreateFollowIndexDescriptor() method

added

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.CreateFollowIndexRequestedit

CreateFollowIndexRequest() method

added

Nest.CreateFollowIndexResponseedit

FollowIndexCreated property getter

changed to non-virtual.

FollowIndexShardsAcked property getter

changed to non-virtual.

IndexFollowingStarted property getter

changed to non-virtual.

Nest.CreateIndexDescriptoredit

CreateIndexDescriptor() method

added

IncludeTypeName(Nullable<Boolean>) method

Parameter name changed from includeTypeName to includetypename.

Map(Func<TypeMappingDescriptor<Object>, ITypeMapping>) method

added

Map<T>(Func<TypeMappingDescriptor<T>, ITypeMapping>) method

added

Mappings(Func<MappingsDescriptor, IPromise<IMappings>>) method

deleted

Mappings(Func<MappingsDescriptor, ITypeMapping>) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

UpdateAllTypes(Nullable<Boolean>) method

deleted

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.CreateIndexRequestedit

CreateIndexRequest() method

Member is more visible.

UpdateAllTypes property

deleted

Nest.CreateIndexResponseedit

Index property

added

ShardsAcknowledged property getter

changed to non-virtual.

Nest.CreateRepositoryDescriptoredit

CreateRepositoryDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.CreateRepositoryRequestedit

CreateRepositoryRequest() method

added

Nest.CreateRequest<TDocument>edit

CreateRequest() method

added

CreateRequest(DocumentPath<TDocument>, IndexName, TypeName, Id) method

deleted

CreateRequest(Id) method

added

CreateRequest(IndexName, Id) method

added

CreateRequest(IndexName, TypeName, Id) method

deleted

CreateRequest(TDocument, IndexName, Id) method

added

Parent property

deleted

Nest.CreateResponseedit

Id property

deleted

Index property

deleted

IsValid property

added

PrimaryTerm property

deleted

Result property

deleted

SequenceNumber property

deleted

Shards property

deleted

Type property

deleted

Version property

deleted

Nest.CreateRollupJobDescriptor<TDocument>edit

CreateRollupJobDescriptor() method

added

Cron(String) method

Member type changed from CreateRollupJobDescriptor<T> to CreateRollupJobDescriptor<TDocument>.

Groups(Func<RollupGroupingsDescriptor<T>, IRollupGroupings>) method

deleted

Groups(Func<RollupGroupingsDescriptor<TDocument>, IRollupGroupings>) method

added

IndexPattern(String) method

Member type changed from CreateRollupJobDescriptor<T> to CreateRollupJobDescriptor<TDocument>.

Metrics(Func<RollupFieldMetricsDescriptor<T>, IPromise<IList<IRollupFieldMetric>>>) method

deleted

Metrics(Func<RollupFieldMetricsDescriptor<TDocument>, IPromise<IList<IRollupFieldMetric>>>) method

added

PageSize(Nullable<Int64>) method

Member type changed from CreateRollupJobDescriptor<T> to CreateRollupJobDescriptor<TDocument>.

RollupIndex(IndexName) method

Member type changed from CreateRollupJobDescriptor<T> to CreateRollupJobDescriptor<TDocument>.

Nest.CreateRollupJobRequestedit

CreateRollupJobRequest() method

added

Nest.CurrentNodeedit

Nest.DataDescriptionDescriptor<T>edit

TimeField(Expression<Func<T, Object>>) method

deleted

TimeField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DatafeedConfigedit

Types property

deleted

Nest.DateHistogramAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DateHistogramCompositeAggregationSourceedit

Timezone property

deleted

TimeZone property

added

Nest.DateHistogramCompositeAggregationSourceDescriptor<T>edit

Timezone(String) method

deleted

TimeZone(String) method

added

Nest.DateHistogramRollupGroupingDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DateIndexNameProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DateProcessoredit

Timezone property

deleted

TimeZone property

added

Nest.DateProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Timezone(String) method

deleted

TimeZone(String) method

added

Nest.DateRangeAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DeactivateWatchDescriptoredit

DeactivateWatchDescriptor() method

added

DeactivateWatchDescriptor(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout(Time) method

deleted

Nest.DeactivateWatchRequestedit

DeactivateWatchRequest() method

added

DeactivateWatchRequest(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout property

deleted

Nest.DeactivateWatchResponseedit

Status property getter

changed to non-virtual.

Nest.DecayFunctionDescriptorBase<TDescriptor, TOrigin, TScale, T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DeleteAliasDescriptoredit

DeleteAliasDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteAliasRequestedit

DeleteAliasRequest() method

added

Nest.DeleteAutoFollowPatternDescriptoredit

DeleteAutoFollowPatternDescriptor() method

added

Nest.DeleteAutoFollowPatternRequestedit

DeleteAutoFollowPatternRequest() method

added

Nest.DeleteByQueryDescriptor<TDocument>edit

DeleteByQueryDescriptor() method

added

AllIndices() method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

AllTypes() method

deleted

Analyzer(String) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

AnalyzeWildcard(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Conflicts(Nullable<Conflicts>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

DefaultOperator(Nullable<DefaultOperator>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Df(String) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

From(Nullable<Int64>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Index<TOther>() method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Index(Indices) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Lenient(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

MatchAll() method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Preference(String) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

QueryOnQueryString(String) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Refresh(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

RequestCache(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

RequestsPerSecond(Nullable<Int64>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Routing(Routing) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Scroll(Time) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

ScrollSize(Nullable<Int64>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

SearchTimeout(Time) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

SearchType(Nullable<SearchType>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Size(Nullable<Int64>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Slice(Func<SlicedScrollDescriptor<T>, ISlicedScroll>) method

deleted

Slice(Func<SlicedScrollDescriptor<TDocument>, ISlicedScroll>) method

added

Slices(Nullable<Int64>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Sort(String[]) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

SourceEnabled(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

Stats(String[]) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

TerminateAfter(Nullable<Int64>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Timeout(Time) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Version(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

WaitForActiveShards(String) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

WaitForCompletion(Nullable<Boolean>) method

Member type changed from DeleteByQueryDescriptor<T> to DeleteByQueryDescriptor<TDocument>.

Nest.DeleteByQueryRequestedit

DeleteByQueryRequest() method

added

DeleteByQueryRequest(Indices, Types) method

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.DeleteByQueryRequest<TDocument>edit

DeleteByQueryRequest(Indices, Types) method

deleted

AllowNoIndices property

deleted

Analyzer property

deleted

AnalyzeWildcard property

deleted

Conflicts property

deleted

DefaultOperator property

deleted

Df property

deleted

ExpandWildcards property

deleted

From property

deleted

IgnoreUnavailable property

deleted

Lenient property

deleted

Preference property

deleted

Query property

deleted

QueryOnQueryString property

deleted

Refresh property

deleted

RequestCache property

deleted

RequestsPerSecond property

deleted

Routing property

deleted

Scroll property

deleted

ScrollSize property

deleted

SearchTimeout property

deleted

SearchType property

deleted

Self property

deleted

Size property

deleted

Slice property

deleted

Slices property

deleted

Sort property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

Stats property

deleted

TerminateAfter property

deleted

Timeout property

deleted

TypedSelf property

added

Version property

deleted

WaitForActiveShards property

deleted

WaitForCompletion property

deleted

Nest.DeleteByQueryResponseedit

Batches property getter

changed to non-virtual.

Deleted property getter

changed to non-virtual.

Failures property getter

changed to non-virtual.

Noops property getter

changed to non-virtual.

RequestsPerSecond property getter

changed to non-virtual.

Retries property getter

changed to non-virtual.

SliceId property getter

changed to non-virtual.

Task property getter

changed to non-virtual.

ThrottledMilliseconds property getter

changed to non-virtual.

ThrottledUntilMilliseconds property getter

changed to non-virtual.

TimedOut property getter

changed to non-virtual.

Took property getter

changed to non-virtual.

Total property getter

changed to non-virtual.

VersionConflicts property getter

changed to non-virtual.

Nest.DeleteByQueryRethrottleDescriptoredit

DeleteByQueryRethrottleDescriptor() method

added

DeleteByQueryRethrottleDescriptor(TaskId) method

Parameter name changed from task_id to taskId.

RequestsPerSecond(Nullable<Int64>) method

Parameter name changed from requestsPerSecond to requestspersecond.

Nest.DeleteByQueryRethrottleRequestedit

DeleteByQueryRethrottleRequest() method

added

DeleteByQueryRethrottleRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.DeleteCalendarDescriptoredit

DeleteCalendarDescriptor() method

added

DeleteCalendarDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarEventDescriptoredit

DeleteCalendarEventDescriptor() method

added

DeleteCalendarEventDescriptor(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarEventRequestedit

DeleteCalendarEventRequest() method

added

DeleteCalendarEventRequest(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarJobDescriptoredit

DeleteCalendarJobDescriptor() method

added

DeleteCalendarJobDescriptor(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarJobRequestedit

DeleteCalendarJobRequest() method

added

DeleteCalendarJobRequest(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarJobResponseedit

CalendarId property getter

changed to non-virtual.

Description property getter

changed to non-virtual.

JobIds property getter

changed to non-virtual.

Nest.DeleteCalendarRequestedit

DeleteCalendarRequest() method

added

DeleteCalendarRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteDatafeedDescriptoredit

DeleteDatafeedDescriptor() method

added

DeleteDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.DeleteDatafeedRequestedit

DeleteDatafeedRequest() method

added

DeleteDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.DeleteDescriptor<TDocument>edit

DeleteDescriptor() method

added

DeleteDescriptor(DocumentPath<T>) method

deleted

DeleteDescriptor(Id) method

added

DeleteDescriptor(IndexName, Id) method

added

DeleteDescriptor(IndexName, TypeName, Id) method

deleted

DeleteDescriptor(TDocument, IndexName, Id) method

added

IfPrimaryTerm(Nullable<Int64>) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

IfSeqNo(Nullable<Int64>) method

deleted

IfSequenceNumber(Nullable<Int64>) method

added

Index<TOther>() method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

Index(IndexName) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

Parent(String) method

deleted

Refresh(Nullable<Refresh>) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

Routing(Routing) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

Timeout(Time) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Version(Nullable<Int64>) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

VersionType(Nullable<VersionType>) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

WaitForActiveShards(String) method

Member type changed from DeleteDescriptor<T> to DeleteDescriptor<TDocument>.

Nest.DeleteExpiredDataResponseedit

Deleted property getter

changed to non-virtual.

Nest.DeleteFilterDescriptoredit

DeleteFilterDescriptor() method

added

DeleteFilterDescriptor(Id) method

Parameter name changed from filter_id to filterId.

Nest.DeleteFilterRequestedit

DeleteFilterRequest() method

added

DeleteFilterRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.DeleteForecastDescriptoredit

DeleteForecastDescriptor() method

added

DeleteForecastDescriptor(Id, ForecastIds) method

deleted

DeleteForecastDescriptor(Id, Ids) method

added

AllowNoForecasts(Nullable<Boolean>) method

Parameter name changed from allowNoForecasts to allownoforecasts.

Nest.DeleteForecastRequestedit

DeleteForecastRequest() method

added

DeleteForecastRequest(Id, ForecastIds) method

deleted

DeleteForecastRequest(Id, Ids) method

added

Nest.DeleteIndexDescriptoredit

DeleteIndexDescriptor() method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteIndexRequestedit

DeleteIndexRequest() method

added

Nest.DeleteIndexTemplateDescriptoredit

DeleteIndexTemplateDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteIndexTemplateRequestedit

DeleteIndexTemplateRequest() method

added

Nest.DeleteJobDescriptoredit

DeleteJobDescriptor() method

added

DeleteJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.DeleteJobRequestedit

DeleteJobRequest() method

added

DeleteJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.DeleteLifecycleDescriptoredit

DeleteLifecycleDescriptor() method

added

DeleteLifecycleDescriptor(Id) method

added

DeleteLifecycleDescriptor(PolicyId) method

deleted

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.DeleteLifecycleRequestedit

DeleteLifecycleRequest() method

added

DeleteLifecycleRequest(Id) method

added

DeleteLifecycleRequest(PolicyId) method

deleted

MasterTimeout property

deleted

Timeout property

deleted

Nest.DeleteManyExtensionsedit

DeleteMany<T>(IElasticClient, IEnumerable<T>, IndexName) method

added

DeleteMany<T>(IElasticClient, IEnumerable<T>, IndexName, TypeName) method

deleted

DeleteManyAsync<T>(IElasticClient, IEnumerable<T>, IndexName, TypeName, CancellationToken) method

deleted

DeleteManyAsync<T>(IElasticClient, IEnumerable<T>, IndexName, CancellationToken) method

added

Nest.DeleteModelSnapshotDescriptoredit

DeleteModelSnapshotDescriptor() method

added

DeleteModelSnapshotDescriptor(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.DeleteModelSnapshotRequestedit

DeleteModelSnapshotRequest() method

added

DeleteModelSnapshotRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.DeletePipelineDescriptoredit

DeletePipelineDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeletePipelineRequestedit

DeletePipelineRequest() method

added

Nest.DeletePrivilegesDescriptoredit

DeletePrivilegesDescriptor() method

added

Nest.DeletePrivilegesRequestedit

DeletePrivilegesRequest() method

added

Nest.DeletePrivilegesResponseedit

Applications property getter

changed to non-virtual.

Nest.DeleteRepositoryDescriptoredit

DeleteRepositoryDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteRepositoryRequestedit

DeleteRepositoryRequest() method

added

Nest.DeleteRequestedit

DeleteRequest() method

added

DeleteRequest(IndexName, Id) method

added

DeleteRequest(IndexName, TypeName, Id) method

deleted

IfSeqNo property

deleted

IfSequenceNumber property

added

Parent property

deleted

Nest.DeleteRequest<TDocument>edit

DeleteRequest() method

added

DeleteRequest(DocumentPath<T>, IndexName, TypeName, Id) method

deleted

DeleteRequest(Id) method

added

DeleteRequest(IndexName, Id) method

added

DeleteRequest(IndexName, TypeName, Id) method

deleted

DeleteRequest(TDocument, IndexName, Id) method

added

IfPrimaryTerm property

deleted

IfSeqNo property

deleted

Parent property

deleted

Refresh property

deleted

Routing property

deleted

Self property

deleted

Timeout property

deleted

TypedSelf property

added

Version property

deleted

VersionType property

deleted

WaitForActiveShards property

deleted

Nest.DeleteResponseedit

Id property

deleted

Index property

deleted

IsValid property

added

PrimaryTerm property

deleted

Result property

deleted

SequenceNumber property

deleted

Shards property

deleted

Type property

deleted

Version property

deleted

Nest.DeleteRoleDescriptoredit

DeleteRoleDescriptor() method

added

Nest.DeleteRoleMappingDescriptoredit

DeleteRoleMappingDescriptor() method

added

Nest.DeleteRoleMappingRequestedit

DeleteRoleMappingRequest() method

added

Nest.DeleteRoleMappingResponseedit

Found property getter

changed to non-virtual.

Nest.DeleteRoleRequestedit

DeleteRoleRequest() method

added

Nest.DeleteRoleResponseedit

Found property getter

changed to non-virtual.

Nest.DeleteRollupJobDescriptoredit

DeleteRollupJobDescriptor() method

added

Nest.DeleteRollupJobRequestedit

DeleteRollupJobRequest() method

added

Nest.DeleteRollupJobResponseedit

IsValid property

deleted

Nest.DeleteScriptDescriptoredit

DeleteScriptDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteScriptRequestedit

DeleteScriptRequest() method

added

Nest.DeleteSnapshotDescriptoredit

DeleteSnapshotDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteSnapshotRequestedit

DeleteSnapshotRequest() method

added

Nest.DeleteUserDescriptoredit

DeleteUserDescriptor() method

added

Nest.DeleteUserRequestedit

DeleteUserRequest() method

added

Nest.DeleteUserResponseedit

Found property getter

changed to non-virtual.

Nest.DeleteWatchDescriptoredit

DeleteWatchDescriptor() method

added

MasterTimeout(Time) method

deleted

Nest.DeleteWatchRequestedit

DeleteWatchRequest() method

added

MasterTimeout property

deleted

Nest.DeleteWatchResponseedit

Found property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.DeprecationInfoDescriptoredit

DeprecationInfoDescriptor(IndexName) method

added

Nest.DeprecationInfoResponseedit

ClusterSettings property getter

changed to non-virtual.

IndexSettings property getter

changed to non-virtual.

NodeSettings property getter

changed to non-virtual.

Nest.DescriptorBase<TDescriptor, TInterface>edit

Assign(Action<TInterface>) method

deleted

Nest.DirectGeneratoredit

Nest.DirectGeneratorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

MaxInspections(Nullable<Decimal>) method

deleted

MaxInspections(Nullable<Single>) method

added

MaxTermFrequency(Nullable<Decimal>) method

deleted

MaxTermFrequency(Nullable<Single>) method

added

MinDocFrequency(Nullable<Decimal>) method

deleted

MinDocFrequency(Nullable<Single>) method

added

Nest.DisableUserDescriptoredit

DisableUserDescriptor() method

Member is less visible.

Username(Name) method

deleted

Nest.DisableUserRequestedit

DisableUserRequest() method

added

Nest.DissectProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.Distanceedit

ToString() method

added

Nest.DistinctCountDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

FieldName(Expression<Func<T, Object>>) method

deleted

FieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DocumentExistsDescriptor<TDocument>edit

DocumentExistsDescriptor() method

added

DocumentExistsDescriptor(DocumentPath<T>) method

deleted

DocumentExistsDescriptor(Id) method

added

DocumentExistsDescriptor(IndexName, Id) method

added

DocumentExistsDescriptor(IndexName, TypeName, Id) method

deleted

DocumentExistsDescriptor(TDocument, IndexName, Id) method

added

Index<TOther>() method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

Index(IndexName) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

Parent(String) method

deleted

Preference(String) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

Realtime(Nullable<Boolean>) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

Refresh(Nullable<Boolean>) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

Routing(Routing) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

SourceEnabled(Nullable<Boolean>) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

StoredFields(Fields) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

StoredFields(Expression<Func<T, Object>>[]) method

deleted

StoredFields(Expression<Func<TDocument, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Version(Nullable<Int64>) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

VersionType(Nullable<VersionType>) method

Member type changed from DocumentExistsDescriptor<T> to DocumentExistsDescriptor<TDocument>.

Nest.DocumentExistsRequestedit

DocumentExistsRequest() method

added

DocumentExistsRequest(IndexName, Id) method

added

DocumentExistsRequest(IndexName, TypeName, Id) method

deleted

Parent property

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.DocumentExistsRequest<TDocument>edit

DocumentExistsRequest() method

added

DocumentExistsRequest(DocumentPath<T>, IndexName, TypeName, Id) method

deleted

DocumentExistsRequest(Id) method

added

DocumentExistsRequest(IndexName, Id) method

added

DocumentExistsRequest(IndexName, TypeName, Id) method

deleted

DocumentExistsRequest(TDocument, IndexName, Id) method

added

Parent property

deleted

Preference property

deleted

Realtime property

deleted

Refresh property

deleted

Routing property

deleted

Self property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

StoredFields property

deleted

TypedSelf property

added

Version property

deleted

VersionType property

deleted

Nest.DocumentPath<T>edit

Type(TypeName) method

deleted

Nest.DotExpanderProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.DslPrettyPrintVisitoredit

Visit(IGeoIndexedShapeQuery) method

deleted

Visit(IGeoShapeCircleQuery) method

deleted

Visit(IGeoShapeEnvelopeQuery) method

deleted

Visit(IGeoShapeGeometryCollectionQuery) method

deleted

Visit(IGeoShapeLineStringQuery) method

deleted

Visit(IGeoShapeMultiLineStringQuery) method

deleted

Visit(IGeoShapeMultiPointQuery) method

deleted

Visit(IGeoShapeMultiPolygonQuery) method

deleted

Visit(IGeoShapePointQuery) method

deleted

Visit(IGeoShapePolygonQuery) method

deleted

Visit(IIntervalsQuery) method

added

Visit(ITypeQuery) method

deleted

Nest.DynamicIndexSettingsDescriptorBase<TDescriptor, TIndexSettings>edit

RoutingAllocationTotalShardsPerNode(Nullable<Int32>) method

added

TotalShardsPerNode(Nullable<Int32>) method

deleted

Nest.DynamicResponseBaseedit

type

added

Nest.ElasticClientedit

AcknowledgeWatch(IAcknowledgeWatchRequest) method

deleted

AcknowledgeWatch(Id, Func<AcknowledgeWatchDescriptor, IAcknowledgeWatchRequest>) method

deleted

AcknowledgeWatchAsync(IAcknowledgeWatchRequest, CancellationToken) method

deleted

AcknowledgeWatchAsync(Id, Func<AcknowledgeWatchDescriptor, IAcknowledgeWatchRequest>, CancellationToken) method

deleted

ActivateWatch(IActivateWatchRequest) method

deleted

ActivateWatch(Id, Func<ActivateWatchDescriptor, IActivateWatchRequest>) method

deleted

ActivateWatchAsync(IActivateWatchRequest, CancellationToken) method

deleted

ActivateWatchAsync(Id, Func<ActivateWatchDescriptor, IActivateWatchRequest>, CancellationToken) method

deleted

Alias(IBulkAliasRequest) method

deleted

Alias(Func<BulkAliasDescriptor, IBulkAliasRequest>) method

deleted

AliasAsync(IBulkAliasRequest, CancellationToken) method

deleted

AliasAsync(Func<BulkAliasDescriptor, IBulkAliasRequest>, CancellationToken) method

deleted

AliasExists(IAliasExistsRequest) method

deleted

AliasExists(Names, Func<AliasExistsDescriptor, IAliasExistsRequest>) method

deleted

AliasExists(Func<AliasExistsDescriptor, IAliasExistsRequest>) method

deleted

AliasExistsAsync(IAliasExistsRequest, CancellationToken) method

deleted

AliasExistsAsync(Names, Func<AliasExistsDescriptor, IAliasExistsRequest>, CancellationToken) method

deleted

AliasExistsAsync(Func<AliasExistsDescriptor, IAliasExistsRequest>, CancellationToken) method

deleted

Analyze(IAnalyzeRequest) method

deleted

Analyze(Func<AnalyzeDescriptor, IAnalyzeRequest>) method

deleted

AnalyzeAsync(IAnalyzeRequest, CancellationToken) method

deleted

AnalyzeAsync(Func<AnalyzeDescriptor, IAnalyzeRequest>, CancellationToken) method

deleted

Authenticate(IAuthenticateRequest) method

deleted

Authenticate(Func<AuthenticateDescriptor, IAuthenticateRequest>) method

deleted

AuthenticateAsync(IAuthenticateRequest, CancellationToken) method

deleted

AuthenticateAsync(Func<AuthenticateDescriptor, IAuthenticateRequest>, CancellationToken) method

deleted

Bulk(IBulkRequest) method

Member type changed from IBulkResponse to BulkResponse.

Bulk(Func<BulkDescriptor, IBulkRequest>) method

Member type changed from IBulkResponse to BulkResponse.

BulkAsync(IBulkRequest, CancellationToken) method

Member type changed from Task<IBulkResponse> to Task<BulkResponse>.

BulkAsync(Func<BulkDescriptor, IBulkRequest>, CancellationToken) method

Member type changed from Task<IBulkResponse> to Task<BulkResponse>.

CancelTasks(ICancelTasksRequest) method

deleted

CancelTasks(Func<CancelTasksDescriptor, ICancelTasksRequest>) method

deleted

CancelTasksAsync(ICancelTasksRequest, CancellationToken) method

deleted

CancelTasksAsync(Func<CancelTasksDescriptor, ICancelTasksRequest>, CancellationToken) method

deleted

CatAliases(ICatAliasesRequest) method

deleted

CatAliases(Func<CatAliasesDescriptor, ICatAliasesRequest>) method

deleted

CatAliasesAsync(ICatAliasesRequest, CancellationToken) method

deleted

CatAliasesAsync(Func<CatAliasesDescriptor, ICatAliasesRequest>, CancellationToken) method

deleted

CatAllocation(ICatAllocationRequest) method

deleted

CatAllocation(Func<CatAllocationDescriptor, ICatAllocationRequest>) method

deleted

CatAllocationAsync(ICatAllocationRequest, CancellationToken) method

deleted

CatAllocationAsync(Func<CatAllocationDescriptor, ICatAllocationRequest>, CancellationToken) method

deleted

CatCount(ICatCountRequest) method

deleted

CatCount(Func<CatCountDescriptor, ICatCountRequest>) method

deleted

CatCountAsync(ICatCountRequest, CancellationToken) method

deleted

CatCountAsync(Func<CatCountDescriptor, ICatCountRequest>, CancellationToken) method

deleted

CatFielddata(ICatFielddataRequest) method

deleted

CatFielddata(Func<CatFielddataDescriptor, ICatFielddataRequest>) method

deleted

CatFielddataAsync(ICatFielddataRequest, CancellationToken) method

deleted

CatFielddataAsync(Func<CatFielddataDescriptor, ICatFielddataRequest>, CancellationToken) method

deleted

CatHealth(ICatHealthRequest) method

deleted

CatHealth(Func<CatHealthDescriptor, ICatHealthRequest>) method

deleted

CatHealthAsync(ICatHealthRequest, CancellationToken) method

deleted

CatHealthAsync(Func<CatHealthDescriptor, ICatHealthRequest>, CancellationToken) method

deleted

CatHelp(ICatHelpRequest) method

deleted

CatHelp(Func<CatHelpDescriptor, ICatHelpRequest>) method

deleted

CatHelpAsync(ICatHelpRequest, CancellationToken) method

deleted

CatHelpAsync(Func<CatHelpDescriptor, ICatHelpRequest>, CancellationToken) method

deleted

CatIndices(ICatIndicesRequest) method

deleted

CatIndices(Func<CatIndicesDescriptor, ICatIndicesRequest>) method

deleted

CatIndicesAsync(ICatIndicesRequest, CancellationToken) method

deleted

CatIndicesAsync(Func<CatIndicesDescriptor, ICatIndicesRequest>, CancellationToken) method

deleted

CatMaster(ICatMasterRequest) method

deleted

CatMaster(Func<CatMasterDescriptor, ICatMasterRequest>) method

deleted

CatMasterAsync(ICatMasterRequest, CancellationToken) method

deleted

CatMasterAsync(Func<CatMasterDescriptor, ICatMasterRequest>, CancellationToken) method

deleted

CatNodeAttributes(ICatNodeAttributesRequest) method

deleted

CatNodeAttributes(Func<CatNodeAttributesDescriptor, ICatNodeAttributesRequest>) method

deleted

CatNodeAttributesAsync(ICatNodeAttributesRequest, CancellationToken) method

deleted

CatNodeAttributesAsync(Func<CatNodeAttributesDescriptor, ICatNodeAttributesRequest>, CancellationToken) method

deleted

CatNodes(ICatNodesRequest) method

deleted

CatNodes(Func<CatNodesDescriptor, ICatNodesRequest>) method

deleted

CatNodesAsync(ICatNodesRequest, CancellationToken) method

deleted

CatNodesAsync(Func<CatNodesDescriptor, ICatNodesRequest>, CancellationToken) method

deleted

CatPendingTasks(ICatPendingTasksRequest) method

deleted

CatPendingTasks(Func<CatPendingTasksDescriptor, ICatPendingTasksRequest>) method

deleted

CatPendingTasksAsync(ICatPendingTasksRequest, CancellationToken) method

deleted

CatPendingTasksAsync(Func<CatPendingTasksDescriptor, ICatPendingTasksRequest>, CancellationToken) method

deleted

CatPlugins(ICatPluginsRequest) method

deleted

CatPlugins(Func<CatPluginsDescriptor, ICatPluginsRequest>) method

deleted

CatPluginsAsync(ICatPluginsRequest, CancellationToken) method

deleted

CatPluginsAsync(Func<CatPluginsDescriptor, ICatPluginsRequest>, CancellationToken) method

deleted

CatRecovery(ICatRecoveryRequest) method

deleted

CatRecovery(Func<CatRecoveryDescriptor, ICatRecoveryRequest>) method

deleted

CatRecoveryAsync(ICatRecoveryRequest, CancellationToken) method

deleted

CatRecoveryAsync(Func<CatRecoveryDescriptor, ICatRecoveryRequest>, CancellationToken) method

deleted

CatRepositories(ICatRepositoriesRequest) method

deleted

CatRepositories(Func<CatRepositoriesDescriptor, ICatRepositoriesRequest>) method

deleted

CatRepositoriesAsync(ICatRepositoriesRequest, CancellationToken) method

deleted

CatRepositoriesAsync(Func<CatRepositoriesDescriptor, ICatRepositoriesRequest>, CancellationToken) method

deleted

CatSegments(ICatSegmentsRequest) method

deleted

CatSegments(Func<CatSegmentsDescriptor, ICatSegmentsRequest>) method

deleted

CatSegmentsAsync(ICatSegmentsRequest, CancellationToken) method

deleted

CatSegmentsAsync(Func<CatSegmentsDescriptor, ICatSegmentsRequest>, CancellationToken) method

deleted

CatShards(ICatShardsRequest) method

deleted

CatShards(Func<CatShardsDescriptor, ICatShardsRequest>) method

deleted

CatShardsAsync(ICatShardsRequest, CancellationToken) method

deleted

CatShardsAsync(Func<CatShardsDescriptor, ICatShardsRequest>, CancellationToken) method

deleted

CatSnapshots(ICatSnapshotsRequest) method

deleted

CatSnapshots(Names, Func<CatSnapshotsDescriptor, ICatSnapshotsRequest>) method

deleted

CatSnapshotsAsync(ICatSnapshotsRequest, CancellationToken) method

deleted

CatSnapshotsAsync(Names, Func<CatSnapshotsDescriptor, ICatSnapshotsRequest>, CancellationToken) method

deleted

CatTasks(ICatTasksRequest) method

deleted

CatTasks(Func<CatTasksDescriptor, ICatTasksRequest>) method

deleted

CatTasksAsync(ICatTasksRequest, CancellationToken) method

deleted

CatTasksAsync(Func<CatTasksDescriptor, ICatTasksRequest>, CancellationToken) method

deleted

CatTemplates(ICatTemplatesRequest) method

deleted

CatTemplates(Func<CatTemplatesDescriptor, ICatTemplatesRequest>) method

deleted

CatTemplatesAsync(ICatTemplatesRequest, CancellationToken) method

deleted

CatTemplatesAsync(Func<CatTemplatesDescriptor, ICatTemplatesRequest>, CancellationToken) method

deleted

CatThreadPool(ICatThreadPoolRequest) method

deleted

CatThreadPool(Func<CatThreadPoolDescriptor, ICatThreadPoolRequest>) method

deleted

CatThreadPoolAsync(ICatThreadPoolRequest, CancellationToken) method

deleted

CatThreadPoolAsync(Func<CatThreadPoolDescriptor, ICatThreadPoolRequest>, CancellationToken) method

deleted

CcrStats(ICcrStatsRequest) method

deleted

CcrStats(Func<CcrStatsDescriptor, ICcrStatsRequest>) method

deleted

CcrStatsAsync(ICcrStatsRequest, CancellationToken) method

deleted

CcrStatsAsync(Func<CcrStatsDescriptor, ICcrStatsRequest>, CancellationToken) method

deleted

ChangePassword(IChangePasswordRequest) method

deleted

ChangePassword(Func<ChangePasswordDescriptor, IChangePasswordRequest>) method

deleted

ChangePasswordAsync(IChangePasswordRequest, CancellationToken) method

deleted

ChangePasswordAsync(Func<ChangePasswordDescriptor, IChangePasswordRequest>, CancellationToken) method

deleted

ClearCache(IClearCacheRequest) method

deleted

ClearCache(Indices, Func<ClearCacheDescriptor, IClearCacheRequest>) method

deleted

ClearCacheAsync(IClearCacheRequest, CancellationToken) method

deleted

ClearCacheAsync(Indices, Func<ClearCacheDescriptor, IClearCacheRequest>, CancellationToken) method

deleted

ClearCachedRealms(IClearCachedRealmsRequest) method

deleted

ClearCachedRealms(Names, Func<ClearCachedRealmsDescriptor, IClearCachedRealmsRequest>) method

deleted

ClearCachedRealmsAsync(IClearCachedRealmsRequest, CancellationToken) method

deleted

ClearCachedRealmsAsync(Names, Func<ClearCachedRealmsDescriptor, IClearCachedRealmsRequest>, CancellationToken) method

deleted

ClearCachedRoles(IClearCachedRolesRequest) method

deleted

ClearCachedRoles(Names, Func<ClearCachedRolesDescriptor, IClearCachedRolesRequest>) method

deleted

ClearCachedRolesAsync(IClearCachedRolesRequest, CancellationToken) method

deleted

ClearCachedRolesAsync(Names, Func<ClearCachedRolesDescriptor, IClearCachedRolesRequest>, CancellationToken) method

deleted

ClearScroll(IClearScrollRequest) method

Member type changed from IClearScrollResponse to ClearScrollResponse.

ClearScroll(Func<ClearScrollDescriptor, IClearScrollRequest>) method

Member type changed from IClearScrollResponse to ClearScrollResponse.

ClearScrollAsync(IClearScrollRequest, CancellationToken) method

Member type changed from Task<IClearScrollResponse> to Task<ClearScrollResponse>.

ClearScrollAsync(Func<ClearScrollDescriptor, IClearScrollRequest>, CancellationToken) method

Member type changed from Task<IClearScrollResponse> to Task<ClearScrollResponse>.

ClearSqlCursor(IClearSqlCursorRequest) method

deleted

ClearSqlCursor(Func<ClearSqlCursorDescriptor, IClearSqlCursorRequest>) method

deleted

ClearSqlCursorAsync(IClearSqlCursorRequest, CancellationToken) method

deleted

ClearSqlCursorAsync(Func<ClearSqlCursorDescriptor, IClearSqlCursorRequest>, CancellationToken) method

deleted

CloseIndex(ICloseIndexRequest) method

deleted

CloseIndex(Indices, Func<CloseIndexDescriptor, ICloseIndexRequest>) method

deleted

CloseIndexAsync(ICloseIndexRequest, CancellationToken) method

deleted

CloseIndexAsync(Indices, Func<CloseIndexDescriptor, ICloseIndexRequest>, CancellationToken) method

deleted

CloseJob(ICloseJobRequest) method

deleted

CloseJob(Id, Func<CloseJobDescriptor, ICloseJobRequest>) method

deleted

CloseJobAsync(ICloseJobRequest, CancellationToken) method

deleted

CloseJobAsync(Id, Func<CloseJobDescriptor, ICloseJobRequest>, CancellationToken) method

deleted

ClusterAllocationExplain(IClusterAllocationExplainRequest) method

deleted

ClusterAllocationExplain(Func<ClusterAllocationExplainDescriptor, IClusterAllocationExplainRequest>) method

deleted

ClusterAllocationExplainAsync(IClusterAllocationExplainRequest, CancellationToken) method

deleted

ClusterAllocationExplainAsync(Func<ClusterAllocationExplainDescriptor, IClusterAllocationExplainRequest>, CancellationToken) method

deleted

ClusterGetSettings(IClusterGetSettingsRequest) method

deleted

ClusterGetSettings(Func<ClusterGetSettingsDescriptor, IClusterGetSettingsRequest>) method

deleted

ClusterGetSettingsAsync(IClusterGetSettingsRequest, CancellationToken) method

deleted

ClusterGetSettingsAsync(Func<ClusterGetSettingsDescriptor, IClusterGetSettingsRequest>, CancellationToken) method

deleted

ClusterHealth(IClusterHealthRequest) method

deleted

ClusterHealth(Func<ClusterHealthDescriptor, IClusterHealthRequest>) method

deleted

ClusterHealthAsync(IClusterHealthRequest, CancellationToken) method

deleted

ClusterHealthAsync(Func<ClusterHealthDescriptor, IClusterHealthRequest>, CancellationToken) method

deleted

ClusterPendingTasks(IClusterPendingTasksRequest) method

deleted

ClusterPendingTasks(Func<ClusterPendingTasksDescriptor, IClusterPendingTasksRequest>) method

deleted

ClusterPendingTasksAsync(IClusterPendingTasksRequest, CancellationToken) method

deleted

ClusterPendingTasksAsync(Func<ClusterPendingTasksDescriptor, IClusterPendingTasksRequest>, CancellationToken) method

deleted

ClusterPutSettings(IClusterPutSettingsRequest) method

deleted

ClusterPutSettings(Func<ClusterPutSettingsDescriptor, IClusterPutSettingsRequest>) method

deleted

ClusterPutSettingsAsync(IClusterPutSettingsRequest, CancellationToken) method

deleted

ClusterPutSettingsAsync(Func<ClusterPutSettingsDescriptor, IClusterPutSettingsRequest>, CancellationToken) method

deleted

ClusterReroute(IClusterRerouteRequest) method

deleted

ClusterReroute(Func<ClusterRerouteDescriptor, IClusterRerouteRequest>) method

deleted

ClusterRerouteAsync(IClusterRerouteRequest, CancellationToken) method

deleted

ClusterRerouteAsync(Func<ClusterRerouteDescriptor, IClusterRerouteRequest>, CancellationToken) method

deleted

ClusterState(IClusterStateRequest) method

deleted

ClusterState(Func<ClusterStateDescriptor, IClusterStateRequest>) method

deleted

ClusterStateAsync(IClusterStateRequest, CancellationToken) method

deleted

ClusterStateAsync(Func<ClusterStateDescriptor, IClusterStateRequest>, CancellationToken) method

deleted

ClusterStats(IClusterStatsRequest) method

deleted

ClusterStats(Func<ClusterStatsDescriptor, IClusterStatsRequest>) method

deleted

ClusterStatsAsync(IClusterStatsRequest, CancellationToken) method

deleted

ClusterStatsAsync(Func<ClusterStatsDescriptor, IClusterStatsRequest>, CancellationToken) method

deleted

Count(ICountRequest) method

Member type changed from ICountResponse to CountResponse.

Count<T>(Func<CountDescriptor<T>, ICountRequest>) method

deleted

Count<TDocument>(Func<CountDescriptor<TDocument>, ICountRequest>) method

added

CountAsync(ICountRequest, CancellationToken) method

Member type changed from Task<ICountResponse> to Task<CountResponse>.

CountAsync<T>(Func<CountDescriptor<T>, ICountRequest>, CancellationToken) method

deleted

CountAsync<TDocument>(Func<CountDescriptor<TDocument>, ICountRequest>, CancellationToken) method

added

Create<TDocument>(ICreateRequest<TDocument>) method

Member type changed from ICreateResponse to CreateResponse.

Create<TDocument>(TDocument, Func<CreateDescriptor<TDocument>, ICreateRequest<TDocument>>) method

Member type changed from ICreateResponse to CreateResponse.

CreateApiKey(ICreateApiKeyRequest) method

deleted

CreateApiKey(Func<CreateApiKeyDescriptor, ICreateApiKeyRequest>) method

deleted

CreateApiKeyAsync(ICreateApiKeyRequest, CancellationToken) method

deleted

CreateApiKeyAsync(Func<CreateApiKeyDescriptor, ICreateApiKeyRequest>, CancellationToken) method

deleted

CreateAsync<TDocument>(ICreateRequest<TDocument>, CancellationToken) method

Member type changed from Task<ICreateResponse> to Task<CreateResponse>.

CreateAsync<TDocument>(TDocument, Func<CreateDescriptor<TDocument>, ICreateRequest<TDocument>>, CancellationToken) method

Member type changed from Task<ICreateResponse> to Task<CreateResponse>.

CreateAutoFollowPattern(ICreateAutoFollowPatternRequest) method

deleted

CreateAutoFollowPattern(Name, Func<CreateAutoFollowPatternDescriptor, ICreateAutoFollowPatternRequest>) method

deleted

CreateAutoFollowPatternAsync(ICreateAutoFollowPatternRequest, CancellationToken) method

deleted

CreateAutoFollowPatternAsync(Name, Func<CreateAutoFollowPatternDescriptor, ICreateAutoFollowPatternRequest>, CancellationToken) method

deleted

CreateDocument<TDocument>(TDocument) method

Member type changed from ICreateResponse to CreateResponse.

CreateDocumentAsync<TDocument>(TDocument, CancellationToken) method

Member type changed from Task<ICreateResponse> to Task<CreateResponse>.

CreateFollowIndex(ICreateFollowIndexRequest) method

deleted

CreateFollowIndex(IndexName, Func<CreateFollowIndexDescriptor, ICreateFollowIndexRequest>) method

deleted

CreateFollowIndexAsync(ICreateFollowIndexRequest, CancellationToken) method

deleted

CreateFollowIndexAsync(IndexName, Func<CreateFollowIndexDescriptor, ICreateFollowIndexRequest>, CancellationToken) method

deleted

CreateIndex(ICreateIndexRequest) method

deleted

CreateIndex(IndexName, Func<CreateIndexDescriptor, ICreateIndexRequest>) method

deleted

CreateIndexAsync(ICreateIndexRequest, CancellationToken) method

deleted

CreateIndexAsync(IndexName, Func<CreateIndexDescriptor, ICreateIndexRequest>, CancellationToken) method

deleted

CreateRepository(ICreateRepositoryRequest) method

deleted

CreateRepository(Name, Func<CreateRepositoryDescriptor, ICreateRepositoryRequest>) method

deleted

CreateRepositoryAsync(ICreateRepositoryRequest, CancellationToken) method

deleted

CreateRepositoryAsync(Name, Func<CreateRepositoryDescriptor, ICreateRepositoryRequest>, CancellationToken) method

deleted

CreateRollupJob(ICreateRollupJobRequest) method

deleted

CreateRollupJob<T>(Id, Func<CreateRollupJobDescriptor<T>, ICreateRollupJobRequest>) method

deleted

CreateRollupJobAsync(ICreateRollupJobRequest, CancellationToken) method

deleted

CreateRollupJobAsync<T>(Id, Func<CreateRollupJobDescriptor<T>, ICreateRollupJobRequest>, CancellationToken) method

deleted

DeactivateWatch(Id, Func<DeactivateWatchDescriptor, IDeactivateWatchRequest>) method

deleted

DeactivateWatch(IDeactivateWatchRequest) method

deleted

DeactivateWatchAsync(Id, Func<DeactivateWatchDescriptor, IDeactivateWatchRequest>, CancellationToken) method

deleted

DeactivateWatchAsync(IDeactivateWatchRequest, CancellationToken) method

deleted

Delete<T>(DocumentPath<T>, Func<DeleteDescriptor<T>, IDeleteRequest>) method

deleted

Delete<TDocument>(DocumentPath<TDocument>, Func<DeleteDescriptor<TDocument>, IDeleteRequest>) method

added

Delete(IDeleteRequest) method

Member type changed from IDeleteResponse to DeleteResponse.

DeleteAlias(IDeleteAliasRequest) method

deleted

DeleteAlias(Indices, Names, Func<DeleteAliasDescriptor, IDeleteAliasRequest>) method

deleted

DeleteAliasAsync(IDeleteAliasRequest, CancellationToken) method

deleted

DeleteAliasAsync(Indices, Names, Func<DeleteAliasDescriptor, IDeleteAliasRequest>, CancellationToken) method

deleted

DeleteAsync<T>(DocumentPath<T>, Func<DeleteDescriptor<T>, IDeleteRequest>, CancellationToken) method

deleted

DeleteAsync<TDocument>(DocumentPath<TDocument>, Func<DeleteDescriptor<TDocument>, IDeleteRequest>, CancellationToken) method

added

DeleteAsync(IDeleteRequest, CancellationToken) method

Member type changed from Task<IDeleteResponse> to Task<DeleteResponse>.

DeleteAutoFollowPattern(IDeleteAutoFollowPatternRequest) method

deleted

DeleteAutoFollowPattern(Name, Func<DeleteAutoFollowPatternDescriptor, IDeleteAutoFollowPatternRequest>) method

deleted

DeleteAutoFollowPatternAsync(IDeleteAutoFollowPatternRequest, CancellationToken) method

deleted

DeleteAutoFollowPatternAsync(Name, Func<DeleteAutoFollowPatternDescriptor, IDeleteAutoFollowPatternRequest>, CancellationToken) method

deleted

DeleteByQuery(IDeleteByQueryRequest) method

Member type changed from IDeleteByQueryResponse to DeleteByQueryResponse.

DeleteByQuery<T>(Func<DeleteByQueryDescriptor<T>, IDeleteByQueryRequest>) method

deleted

DeleteByQuery<TDocument>(Func<DeleteByQueryDescriptor<TDocument>, IDeleteByQueryRequest>) method

added

DeleteByQueryAsync(IDeleteByQueryRequest, CancellationToken) method

Member type changed from Task<IDeleteByQueryResponse> to Task<DeleteByQueryResponse>.

DeleteByQueryAsync<T>(Func<DeleteByQueryDescriptor<T>, IDeleteByQueryRequest>, CancellationToken) method

deleted

DeleteByQueryAsync<TDocument>(Func<DeleteByQueryDescriptor<TDocument>, IDeleteByQueryRequest>, CancellationToken) method

added

DeleteByQueryRethrottle(IDeleteByQueryRethrottleRequest) method

Member type changed from IListTasksResponse to ListTasksResponse.

DeleteByQueryRethrottle(TaskId, Func<DeleteByQueryRethrottleDescriptor, IDeleteByQueryRethrottleRequest>) method

Member type changed from IListTasksResponse to ListTasksResponse.

DeleteByQueryRethrottleAsync(IDeleteByQueryRethrottleRequest, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

DeleteByQueryRethrottleAsync(TaskId, Func<DeleteByQueryRethrottleDescriptor, IDeleteByQueryRethrottleRequest>, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

DeleteCalendar(Id, Func<DeleteCalendarDescriptor, IDeleteCalendarRequest>) method

deleted

DeleteCalendar(IDeleteCalendarRequest) method

deleted

DeleteCalendarAsync(Id, Func<DeleteCalendarDescriptor, IDeleteCalendarRequest>, CancellationToken) method

deleted

DeleteCalendarAsync(IDeleteCalendarRequest, CancellationToken) method

deleted

DeleteCalendarEvent(Id, Id, Func<DeleteCalendarEventDescriptor, IDeleteCalendarEventRequest>) method

deleted

DeleteCalendarEvent(IDeleteCalendarEventRequest) method

deleted

DeleteCalendarEventAsync(Id, Id, Func<DeleteCalendarEventDescriptor, IDeleteCalendarEventRequest>, CancellationToken) method

deleted

DeleteCalendarEventAsync(IDeleteCalendarEventRequest, CancellationToken) method

deleted

DeleteCalendarJob(Id, Id, Func<DeleteCalendarJobDescriptor, IDeleteCalendarJobRequest>) method

deleted

DeleteCalendarJob(IDeleteCalendarJobRequest) method

deleted

DeleteCalendarJobAsync(Id, Id, Func<DeleteCalendarJobDescriptor, IDeleteCalendarJobRequest>, CancellationToken) method

deleted

DeleteCalendarJobAsync(IDeleteCalendarJobRequest, CancellationToken) method

deleted

DeleteDatafeed(Id, Func<DeleteDatafeedDescriptor, IDeleteDatafeedRequest>) method

deleted

DeleteDatafeed(IDeleteDatafeedRequest) method

deleted

DeleteDatafeedAsync(Id, Func<DeleteDatafeedDescriptor, IDeleteDatafeedRequest>, CancellationToken) method

deleted

DeleteDatafeedAsync(IDeleteDatafeedRequest, CancellationToken) method

deleted

DeleteExpiredData(IDeleteExpiredDataRequest) method

deleted

DeleteExpiredData(Func<DeleteExpiredDataDescriptor, IDeleteExpiredDataRequest>) method

deleted

DeleteExpiredDataAsync(IDeleteExpiredDataRequest, CancellationToken) method

deleted

DeleteExpiredDataAsync(Func<DeleteExpiredDataDescriptor, IDeleteExpiredDataRequest>, CancellationToken) method

deleted

DeleteFilter(Id, Func<DeleteFilterDescriptor, IDeleteFilterRequest>) method

deleted

DeleteFilter(IDeleteFilterRequest) method

deleted

DeleteFilterAsync(Id, Func<DeleteFilterDescriptor, IDeleteFilterRequest>, CancellationToken) method

deleted

DeleteFilterAsync(IDeleteFilterRequest, CancellationToken) method

deleted

DeleteForecast(Id, ForecastIds, Func<DeleteForecastDescriptor, IDeleteForecastRequest>) method

deleted

DeleteForecast(IDeleteForecastRequest) method

deleted

DeleteForecastAsync(Id, ForecastIds, Func<DeleteForecastDescriptor, IDeleteForecastRequest>, CancellationToken) method

deleted

DeleteForecastAsync(IDeleteForecastRequest, CancellationToken) method

deleted

DeleteIndex(IDeleteIndexRequest) method

deleted

DeleteIndex(Indices, Func<DeleteIndexDescriptor, IDeleteIndexRequest>) method

deleted

DeleteIndexAsync(IDeleteIndexRequest, CancellationToken) method

deleted

DeleteIndexAsync(Indices, Func<DeleteIndexDescriptor, IDeleteIndexRequest>, CancellationToken) method

deleted

DeleteIndexTemplate(IDeleteIndexTemplateRequest) method

deleted

DeleteIndexTemplate(Name, Func<DeleteIndexTemplateDescriptor, IDeleteIndexTemplateRequest>) method

deleted

DeleteIndexTemplateAsync(IDeleteIndexTemplateRequest, CancellationToken) method

deleted

DeleteIndexTemplateAsync(Name, Func<DeleteIndexTemplateDescriptor, IDeleteIndexTemplateRequest>, CancellationToken) method

deleted

DeleteJob(Id, Func<DeleteJobDescriptor, IDeleteJobRequest>) method

deleted

DeleteJob(IDeleteJobRequest) method

deleted

DeleteJobAsync(Id, Func<DeleteJobDescriptor, IDeleteJobRequest>, CancellationToken) method

deleted

DeleteJobAsync(IDeleteJobRequest, CancellationToken) method

deleted

DeleteLicense(IDeleteLicenseRequest) method

deleted

DeleteLicense(Func<DeleteLicenseDescriptor, IDeleteLicenseRequest>) method

deleted

DeleteLicenseAsync(IDeleteLicenseRequest, CancellationToken) method

deleted

DeleteLicenseAsync(Func<DeleteLicenseDescriptor, IDeleteLicenseRequest>, CancellationToken) method

deleted

DeleteLifecycle(IDeleteLifecycleRequest) method

deleted

DeleteLifecycle(PolicyId, Func<DeleteLifecycleDescriptor, IDeleteLifecycleRequest>) method

deleted

DeleteLifecycleAsync(IDeleteLifecycleRequest, CancellationToken) method

deleted

DeleteLifecycleAsync(PolicyId, Func<DeleteLifecycleDescriptor, IDeleteLifecycleRequest>, CancellationToken) method

deleted

DeleteModelSnapshot(Id, Id, Func<DeleteModelSnapshotDescriptor, IDeleteModelSnapshotRequest>) method

deleted

DeleteModelSnapshot(IDeleteModelSnapshotRequest) method

deleted

DeleteModelSnapshotAsync(Id, Id, Func<DeleteModelSnapshotDescriptor, IDeleteModelSnapshotRequest>, CancellationToken) method

deleted

DeleteModelSnapshotAsync(IDeleteModelSnapshotRequest, CancellationToken) method

deleted

DeletePipeline(Id, Func<DeletePipelineDescriptor, IDeletePipelineRequest>) method

deleted

DeletePipeline(IDeletePipelineRequest) method

deleted

DeletePipelineAsync(Id, Func<DeletePipelineDescriptor, IDeletePipelineRequest>, CancellationToken) method

deleted

DeletePipelineAsync(IDeletePipelineRequest, CancellationToken) method

deleted

DeletePrivileges(IDeletePrivilegesRequest) method

deleted

DeletePrivileges(Name, Name, Func<DeletePrivilegesDescriptor, IDeletePrivilegesRequest>) method

deleted

DeletePrivilegesAsync(IDeletePrivilegesRequest, CancellationToken) method

deleted

DeletePrivilegesAsync(Name, Name, Func<DeletePrivilegesDescriptor, IDeletePrivilegesRequest>, CancellationToken) method

deleted

DeleteRepository(IDeleteRepositoryRequest) method

deleted

DeleteRepository(Names, Func<DeleteRepositoryDescriptor, IDeleteRepositoryRequest>) method

deleted

DeleteRepositoryAsync(IDeleteRepositoryRequest, CancellationToken) method

deleted

DeleteRepositoryAsync(Names, Func<DeleteRepositoryDescriptor, IDeleteRepositoryRequest>, CancellationToken) method

deleted

DeleteRole(IDeleteRoleRequest) method

deleted

DeleteRole(Name, Func<DeleteRoleDescriptor, IDeleteRoleRequest>) method

deleted

DeleteRoleAsync(IDeleteRoleRequest, CancellationToken) method

deleted

DeleteRoleAsync(Name, Func<DeleteRoleDescriptor, IDeleteRoleRequest>, CancellationToken) method

deleted

DeleteRoleMapping(IDeleteRoleMappingRequest) method

deleted

DeleteRoleMapping(Name, Func<DeleteRoleMappingDescriptor, IDeleteRoleMappingRequest>) method

deleted

DeleteRoleMappingAsync(IDeleteRoleMappingRequest, CancellationToken) method

deleted

DeleteRoleMappingAsync(Name, Func<DeleteRoleMappingDescriptor, IDeleteRoleMappingRequest>, CancellationToken) method

deleted

DeleteRollupJob(Id, Func<DeleteRollupJobDescriptor, IDeleteRollupJobRequest>) method

deleted

DeleteRollupJob(IDeleteRollupJobRequest) method

deleted

DeleteRollupJobAsync(Id, Func<DeleteRollupJobDescriptor, IDeleteRollupJobRequest>, CancellationToken) method

deleted

DeleteRollupJobAsync(IDeleteRollupJobRequest, CancellationToken) method

deleted

DeleteScript(Id, Func<DeleteScriptDescriptor, IDeleteScriptRequest>) method

Member type changed from IDeleteScriptResponse to DeleteScriptResponse.

DeleteScript(IDeleteScriptRequest) method

Member type changed from IDeleteScriptResponse to DeleteScriptResponse.

DeleteScriptAsync(Id, Func<DeleteScriptDescriptor, IDeleteScriptRequest>, CancellationToken) method

Member type changed from Task<IDeleteScriptResponse> to Task<DeleteScriptResponse>.

DeleteScriptAsync(IDeleteScriptRequest, CancellationToken) method

Member type changed from Task<IDeleteScriptResponse> to Task<DeleteScriptResponse>.

DeleteSnapshot(IDeleteSnapshotRequest) method

deleted

DeleteSnapshot(Name, Name, Func<DeleteSnapshotDescriptor, IDeleteSnapshotRequest>) method

deleted

DeleteSnapshotAsync(IDeleteSnapshotRequest, CancellationToken) method

deleted

DeleteSnapshotAsync(Name, Name, Func<DeleteSnapshotDescriptor, IDeleteSnapshotRequest>, CancellationToken) method

deleted

DeleteUser(IDeleteUserRequest) method

deleted

DeleteUser(Name, Func<DeleteUserDescriptor, IDeleteUserRequest>) method

deleted

DeleteUserAsync(IDeleteUserRequest, CancellationToken) method

deleted

DeleteUserAsync(Name, Func<DeleteUserDescriptor, IDeleteUserRequest>, CancellationToken) method

deleted

DeleteWatch(Id, Func<DeleteWatchDescriptor, IDeleteWatchRequest>) method

deleted

DeleteWatch(IDeleteWatchRequest) method

deleted

DeleteWatchAsync(Id, Func<DeleteWatchDescriptor, IDeleteWatchRequest>, CancellationToken) method

deleted

DeleteWatchAsync(IDeleteWatchRequest, CancellationToken) method

deleted

DeprecationInfo(IDeprecationInfoRequest) method

deleted

DeprecationInfo(Func<DeprecationInfoDescriptor, IDeprecationInfoRequest>) method

deleted

DeprecationInfoAsync(IDeprecationInfoRequest, CancellationToken) method

deleted

DeprecationInfoAsync(Func<DeprecationInfoDescriptor, IDeprecationInfoRequest>, CancellationToken) method

deleted

DisableUser(IDisableUserRequest) method

deleted

DisableUser(Name, Func<DisableUserDescriptor, IDisableUserRequest>) method

deleted

DisableUserAsync(IDisableUserRequest, CancellationToken) method

deleted

DisableUserAsync(Name, Func<DisableUserDescriptor, IDisableUserRequest>, CancellationToken) method

deleted

DocumentExists<T>(DocumentPath<T>, Func<DocumentExistsDescriptor<T>, IDocumentExistsRequest>) method

deleted

DocumentExists<TDocument>(DocumentPath<TDocument>, Func<DocumentExistsDescriptor<TDocument>, IDocumentExistsRequest>) method

added

DocumentExists(IDocumentExistsRequest) method

Member type changed from IExistsResponse to ExistsResponse.

DocumentExistsAsync<T>(DocumentPath<T>, Func<DocumentExistsDescriptor<T>, IDocumentExistsRequest>, CancellationToken) method

deleted

DocumentExistsAsync<TDocument>(DocumentPath<TDocument>, Func<DocumentExistsDescriptor<TDocument>, IDocumentExistsRequest>, CancellationToken) method

added

DocumentExistsAsync(IDocumentExistsRequest, CancellationToken) method

Member type changed from Task<IExistsResponse> to Task<ExistsResponse>.

EnableUser(IEnableUserRequest) method

deleted

EnableUser(Name, Func<EnableUserDescriptor, IEnableUserRequest>) method

deleted

EnableUserAsync(IEnableUserRequest, CancellationToken) method

deleted

EnableUserAsync(Name, Func<EnableUserDescriptor, IEnableUserRequest>, CancellationToken) method

deleted

ExecutePainlessScript<TResult>(IExecutePainlessScriptRequest) method

Member type changed from IExecutePainlessScriptResponse<TResult> to ExecutePainlessScriptResponse<TResult>.

ExecutePainlessScript<TResult>(Func<ExecutePainlessScriptDescriptor, IExecutePainlessScriptRequest>) method

Member type changed from IExecutePainlessScriptResponse<TResult> to ExecutePainlessScriptResponse<TResult>.

ExecutePainlessScriptAsync<TResult>(IExecutePainlessScriptRequest, CancellationToken) method

Member type changed from Task<IExecutePainlessScriptResponse<TResult>> to Task<ExecutePainlessScriptResponse<TResult>>.

ExecutePainlessScriptAsync<TResult>(Func<ExecutePainlessScriptDescriptor, IExecutePainlessScriptRequest>, CancellationToken) method

Member type changed from Task<IExecutePainlessScriptResponse<TResult>> to Task<ExecutePainlessScriptResponse<TResult>>.

ExecuteWatch(IExecuteWatchRequest) method

deleted

ExecuteWatch(Func<ExecuteWatchDescriptor, IExecuteWatchRequest>) method

deleted

ExecuteWatchAsync(IExecuteWatchRequest, CancellationToken) method

deleted

ExecuteWatchAsync(Func<ExecuteWatchDescriptor, IExecuteWatchRequest>, CancellationToken) method

deleted

Explain<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest<TDocument>>) method

deleted

Explain<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest>) method

added

Explain<TDocument>(IExplainRequest) method

added

Explain<TDocument>(IExplainRequest<TDocument>) method

deleted

ExplainAsync<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest<TDocument>>, CancellationToken) method

deleted

ExplainAsync<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest>, CancellationToken) method

added

ExplainAsync<TDocument>(IExplainRequest, CancellationToken) method

added

ExplainAsync<TDocument>(IExplainRequest<TDocument>, CancellationToken) method

deleted

ExplainLifecycle(IExplainLifecycleRequest) method

deleted

ExplainLifecycle(IndexName, Func<ExplainLifecycleDescriptor, IExplainLifecycleRequest>) method

deleted

ExplainLifecycleAsync(IExplainLifecycleRequest, CancellationToken) method

deleted

ExplainLifecycleAsync(IndexName, Func<ExplainLifecycleDescriptor, IExplainLifecycleRequest>, CancellationToken) method

deleted

FieldCapabilities(IFieldCapabilitiesRequest) method

Member type changed from IFieldCapabilitiesResponse to FieldCapabilitiesResponse.

FieldCapabilities(Indices, Func<FieldCapabilitiesDescriptor, IFieldCapabilitiesRequest>) method

Member type changed from IFieldCapabilitiesResponse to FieldCapabilitiesResponse.

FieldCapabilitiesAsync(IFieldCapabilitiesRequest, CancellationToken) method

Member type changed from Task<IFieldCapabilitiesResponse> to Task<FieldCapabilitiesResponse>.

FieldCapabilitiesAsync(Indices, Func<FieldCapabilitiesDescriptor, IFieldCapabilitiesRequest>, CancellationToken) method

Member type changed from Task<IFieldCapabilitiesResponse> to Task<FieldCapabilitiesResponse>.

Flush(IFlushRequest) method

deleted

Flush(Indices, Func<FlushDescriptor, IFlushRequest>) method

deleted

FlushAsync(IFlushRequest, CancellationToken) method

deleted

FlushAsync(Indices, Func<FlushDescriptor, IFlushRequest>, CancellationToken) method

deleted

FlushJob(Id, Func<FlushJobDescriptor, IFlushJobRequest>) method

deleted

FlushJob(IFlushJobRequest) method

deleted

FlushJobAsync(Id, Func<FlushJobDescriptor, IFlushJobRequest>, CancellationToken) method

deleted

FlushJobAsync(IFlushJobRequest, CancellationToken) method

deleted

FollowIndexStats(IFollowIndexStatsRequest) method

deleted

FollowIndexStats(Indices, Func<FollowIndexStatsDescriptor, IFollowIndexStatsRequest>) method

deleted

FollowIndexStatsAsync(IFollowIndexStatsRequest, CancellationToken) method

deleted

FollowIndexStatsAsync(Indices, Func<FollowIndexStatsDescriptor, IFollowIndexStatsRequest>, CancellationToken) method

deleted

ForceMerge(IForceMergeRequest) method

deleted

ForceMerge(Indices, Func<ForceMergeDescriptor, IForceMergeRequest>) method

deleted

ForceMergeAsync(IForceMergeRequest, CancellationToken) method

deleted

ForceMergeAsync(Indices, Func<ForceMergeDescriptor, IForceMergeRequest>, CancellationToken) method

deleted

ForecastJob(Id, Func<ForecastJobDescriptor, IForecastJobRequest>) method

deleted

ForecastJob(IForecastJobRequest) method

deleted

ForecastJobAsync(Id, Func<ForecastJobDescriptor, IForecastJobRequest>, CancellationToken) method

deleted

ForecastJobAsync(IForecastJobRequest, CancellationToken) method

deleted

Get<T>(DocumentPath<T>, Func<GetDescriptor<T>, IGetRequest>) method

deleted

Get<TDocument>(DocumentPath<TDocument>, Func<GetDescriptor<TDocument>, IGetRequest>) method

added

Get<TDocument>(IGetRequest) method

Member type changed from IGetResponse<T> to GetResponse<TDocument>.

GetAlias(IGetAliasRequest) method

deleted

GetAlias(Func<GetAliasDescriptor, IGetAliasRequest>) method

deleted

GetAliasAsync(IGetAliasRequest, CancellationToken) method

deleted

GetAliasAsync(Func<GetAliasDescriptor, IGetAliasRequest>, CancellationToken) method

deleted

GetAnomalyRecords(Id, Func<GetAnomalyRecordsDescriptor, IGetAnomalyRecordsRequest>) method

deleted

GetAnomalyRecords(IGetAnomalyRecordsRequest) method

deleted

GetAnomalyRecordsAsync(Id, Func<GetAnomalyRecordsDescriptor, IGetAnomalyRecordsRequest>, CancellationToken) method

deleted

GetAnomalyRecordsAsync(IGetAnomalyRecordsRequest, CancellationToken) method

deleted

GetApiKey(IGetApiKeyRequest) method

deleted

GetApiKey(Func<GetApiKeyDescriptor, IGetApiKeyRequest>) method

deleted

GetApiKeyAsync(IGetApiKeyRequest, CancellationToken) method

deleted

GetApiKeyAsync(Func<GetApiKeyDescriptor, IGetApiKeyRequest>, CancellationToken) method

deleted

GetAsync<T>(DocumentPath<T>, Func<GetDescriptor<T>, IGetRequest>, CancellationToken) method

deleted

GetAsync<TDocument>(DocumentPath<TDocument>, Func<GetDescriptor<TDocument>, IGetRequest>, CancellationToken) method

added

GetAsync<TDocument>(IGetRequest, CancellationToken) method

Member type changed from Task<IGetResponse<T>> to Task<GetResponse<TDocument>>.

GetAutoFollowPattern(IGetAutoFollowPatternRequest) method

deleted

GetAutoFollowPattern(Func<GetAutoFollowPatternDescriptor, IGetAutoFollowPatternRequest>) method

deleted

GetAutoFollowPatternAsync(IGetAutoFollowPatternRequest, CancellationToken) method

deleted

GetAutoFollowPatternAsync(Func<GetAutoFollowPatternDescriptor, IGetAutoFollowPatternRequest>, CancellationToken) method

deleted

GetBasicLicenseStatus(IGetBasicLicenseStatusRequest) method

deleted

GetBasicLicenseStatus(Func<GetBasicLicenseStatusDescriptor, IGetBasicLicenseStatusRequest>) method

deleted

GetBasicLicenseStatusAsync(IGetBasicLicenseStatusRequest, CancellationToken) method

deleted

GetBasicLicenseStatusAsync(Func<GetBasicLicenseStatusDescriptor, IGetBasicLicenseStatusRequest>, CancellationToken) method

deleted

GetBuckets(Id, Func<GetBucketsDescriptor, IGetBucketsRequest>) method

deleted

GetBuckets(IGetBucketsRequest) method

deleted

GetBucketsAsync(Id, Func<GetBucketsDescriptor, IGetBucketsRequest>, CancellationToken) method

deleted

GetBucketsAsync(IGetBucketsRequest, CancellationToken) method

deleted

GetCalendarEvents(Id, Func<GetCalendarEventsDescriptor, IGetCalendarEventsRequest>) method

deleted

GetCalendarEvents(IGetCalendarEventsRequest) method

deleted

GetCalendarEventsAsync(Id, Func<GetCalendarEventsDescriptor, IGetCalendarEventsRequest>, CancellationToken) method

deleted

GetCalendarEventsAsync(IGetCalendarEventsRequest, CancellationToken) method

deleted

GetCalendars(IGetCalendarsRequest) method

deleted

GetCalendars(Func<GetCalendarsDescriptor, IGetCalendarsRequest>) method

deleted

GetCalendarsAsync(IGetCalendarsRequest, CancellationToken) method

deleted

GetCalendarsAsync(Func<GetCalendarsDescriptor, IGetCalendarsRequest>, CancellationToken) method

deleted

GetCategories(Id, Func<GetCategoriesDescriptor, IGetCategoriesRequest>) method

deleted

GetCategories(IGetCategoriesRequest) method

deleted

GetCategoriesAsync(Id, Func<GetCategoriesDescriptor, IGetCategoriesRequest>, CancellationToken) method

deleted

GetCategoriesAsync(IGetCategoriesRequest, CancellationToken) method

deleted

GetCertificates(IGetCertificatesRequest) method

deleted

GetCertificates(Func<GetCertificatesDescriptor, IGetCertificatesRequest>) method

deleted

GetCertificatesAsync(IGetCertificatesRequest, CancellationToken) method

deleted

GetCertificatesAsync(Func<GetCertificatesDescriptor, IGetCertificatesRequest>, CancellationToken) method

deleted

GetDatafeeds(IGetDatafeedsRequest) method

deleted

GetDatafeeds(Func<GetDatafeedsDescriptor, IGetDatafeedsRequest>) method

deleted

GetDatafeedsAsync(IGetDatafeedsRequest, CancellationToken) method

deleted

GetDatafeedsAsync(Func<GetDatafeedsDescriptor, IGetDatafeedsRequest>, CancellationToken) method

deleted

GetDatafeedStats(IGetDatafeedStatsRequest) method

deleted

GetDatafeedStats(Func<GetDatafeedStatsDescriptor, IGetDatafeedStatsRequest>) method

deleted

GetDatafeedStatsAsync(IGetDatafeedStatsRequest, CancellationToken) method

deleted

GetDatafeedStatsAsync(Func<GetDatafeedStatsDescriptor, IGetDatafeedStatsRequest>, CancellationToken) method

deleted

GetFieldMapping<T>(Fields, Func<GetFieldMappingDescriptor<T>, IGetFieldMappingRequest>) method

deleted

GetFieldMapping(IGetFieldMappingRequest) method

deleted

GetFieldMappingAsync<T>(Fields, Func<GetFieldMappingDescriptor<T>, IGetFieldMappingRequest>, CancellationToken) method

deleted

GetFieldMappingAsync(IGetFieldMappingRequest, CancellationToken) method

deleted

GetFilters(IGetFiltersRequest) method

deleted

GetFilters(Func<GetFiltersDescriptor, IGetFiltersRequest>) method

deleted

GetFiltersAsync(IGetFiltersRequest, CancellationToken) method

deleted

GetFiltersAsync(Func<GetFiltersDescriptor, IGetFiltersRequest>, CancellationToken) method

deleted

GetIlmStatus(IGetIlmStatusRequest) method

deleted

GetIlmStatus(Func<GetIlmStatusDescriptor, IGetIlmStatusRequest>) method

deleted

GetIlmStatusAsync(IGetIlmStatusRequest, CancellationToken) method

deleted

GetIlmStatusAsync(Func<GetIlmStatusDescriptor, IGetIlmStatusRequest>, CancellationToken) method

deleted

GetIndex(IGetIndexRequest) method

deleted

GetIndex(Indices, Func<GetIndexDescriptor, IGetIndexRequest>) method

deleted

GetIndexAsync(IGetIndexRequest, CancellationToken) method

deleted

GetIndexAsync(Indices, Func<GetIndexDescriptor, IGetIndexRequest>, CancellationToken) method

deleted

GetIndexSettings(IGetIndexSettingsRequest) method

deleted

GetIndexSettings(Func<GetIndexSettingsDescriptor, IGetIndexSettingsRequest>) method

deleted

GetIndexSettingsAsync(IGetIndexSettingsRequest, CancellationToken) method

deleted

GetIndexSettingsAsync(Func<GetIndexSettingsDescriptor, IGetIndexSettingsRequest>, CancellationToken) method

deleted

GetIndexTemplate(IGetIndexTemplateRequest) method

deleted

GetIndexTemplate(Func<GetIndexTemplateDescriptor, IGetIndexTemplateRequest>) method

deleted

GetIndexTemplateAsync(IGetIndexTemplateRequest, CancellationToken) method

deleted

GetIndexTemplateAsync(Func<GetIndexTemplateDescriptor, IGetIndexTemplateRequest>, CancellationToken) method

deleted

GetInfluencers(Id, Func<GetInfluencersDescriptor, IGetInfluencersRequest>) method

deleted

GetInfluencers(IGetInfluencersRequest) method

deleted

GetInfluencersAsync(Id, Func<GetInfluencersDescriptor, IGetInfluencersRequest>, CancellationToken) method

deleted

GetInfluencersAsync(IGetInfluencersRequest, CancellationToken) method

deleted

GetJobs(IGetJobsRequest) method

deleted

GetJobs(Func<GetJobsDescriptor, IGetJobsRequest>) method

deleted

GetJobsAsync(IGetJobsRequest, CancellationToken) method

deleted

GetJobsAsync(Func<GetJobsDescriptor, IGetJobsRequest>, CancellationToken) method

deleted

GetJobStats(IGetJobStatsRequest) method

deleted

GetJobStats(Func<GetJobStatsDescriptor, IGetJobStatsRequest>) method

deleted

GetJobStatsAsync(IGetJobStatsRequest, CancellationToken) method

deleted

GetJobStatsAsync(Func<GetJobStatsDescriptor, IGetJobStatsRequest>, CancellationToken) method

deleted

GetLicense(IGetLicenseRequest) method

deleted

GetLicense(Func<GetLicenseDescriptor, IGetLicenseRequest>) method

deleted

GetLicenseAsync(IGetLicenseRequest, CancellationToken) method

deleted

GetLicenseAsync(Func<GetLicenseDescriptor, IGetLicenseRequest>, CancellationToken) method

deleted

GetLifecycle(IGetLifecycleRequest) method

deleted

GetLifecycle(Func<GetLifecycleDescriptor, IGetLifecycleRequest>) method

deleted

GetLifecycleAsync(IGetLifecycleRequest, CancellationToken) method

deleted

GetLifecycleAsync(Func<GetLifecycleDescriptor, IGetLifecycleRequest>, CancellationToken) method

deleted

GetMapping(IGetMappingRequest) method

deleted

GetMapping<T>(Func<GetMappingDescriptor<T>, IGetMappingRequest>) method

deleted

GetMappingAsync(IGetMappingRequest, CancellationToken) method

deleted

GetMappingAsync<T>(Func<GetMappingDescriptor<T>, IGetMappingRequest>, CancellationToken) method

deleted

GetModelSnapshots(Id, Func<GetModelSnapshotsDescriptor, IGetModelSnapshotsRequest>) method

deleted

GetModelSnapshots(IGetModelSnapshotsRequest) method

deleted

GetModelSnapshotsAsync(Id, Func<GetModelSnapshotsDescriptor, IGetModelSnapshotsRequest>, CancellationToken) method

deleted

GetModelSnapshotsAsync(IGetModelSnapshotsRequest, CancellationToken) method

deleted

GetOverallBuckets(Id, Func<GetOverallBucketsDescriptor, IGetOverallBucketsRequest>) method

deleted

GetOverallBuckets(IGetOverallBucketsRequest) method

deleted

GetOverallBucketsAsync(Id, Func<GetOverallBucketsDescriptor, IGetOverallBucketsRequest>, CancellationToken) method

deleted

GetOverallBucketsAsync(IGetOverallBucketsRequest, CancellationToken) method

deleted

GetPipeline(IGetPipelineRequest) method

deleted

GetPipeline(Func<GetPipelineDescriptor, IGetPipelineRequest>) method

deleted

GetPipelineAsync(IGetPipelineRequest, CancellationToken) method

deleted

GetPipelineAsync(Func<GetPipelineDescriptor, IGetPipelineRequest>, CancellationToken) method

deleted

GetPrivileges(IGetPrivilegesRequest) method

deleted

GetPrivileges(Func<GetPrivilegesDescriptor, IGetPrivilegesRequest>) method

deleted

GetPrivilegesAsync(IGetPrivilegesRequest, CancellationToken) method

deleted

GetPrivilegesAsync(Func<GetPrivilegesDescriptor, IGetPrivilegesRequest>, CancellationToken) method

deleted

GetRepository(IGetRepositoryRequest) method

deleted

GetRepository(Func<GetRepositoryDescriptor, IGetRepositoryRequest>) method

deleted

GetRepositoryAsync(IGetRepositoryRequest, CancellationToken) method

deleted

GetRepositoryAsync(Func<GetRepositoryDescriptor, IGetRepositoryRequest>, CancellationToken) method

deleted

GetRole(IGetRoleRequest) method

deleted

GetRole(Func<GetRoleDescriptor, IGetRoleRequest>) method

deleted

GetRoleAsync(IGetRoleRequest, CancellationToken) method

deleted

GetRoleAsync(Func<GetRoleDescriptor, IGetRoleRequest>, CancellationToken) method

deleted

GetRoleMapping(IGetRoleMappingRequest) method

deleted

GetRoleMapping(Func<GetRoleMappingDescriptor, IGetRoleMappingRequest>) method

deleted

GetRoleMappingAsync(IGetRoleMappingRequest, CancellationToken) method

deleted

GetRoleMappingAsync(Func<GetRoleMappingDescriptor, IGetRoleMappingRequest>, CancellationToken) method

deleted

GetRollupCapabilities(IGetRollupCapabilitiesRequest) method

deleted

GetRollupCapabilities(Func<GetRollupCapabilitiesDescriptor, IGetRollupCapabilitiesRequest>) method

deleted

GetRollupCapabilitiesAsync(IGetRollupCapabilitiesRequest, CancellationToken) method

deleted

GetRollupCapabilitiesAsync(Func<GetRollupCapabilitiesDescriptor, IGetRollupCapabilitiesRequest>, CancellationToken) method

deleted

GetRollupIndexCapabilities(IGetRollupIndexCapabilitiesRequest) method

deleted

GetRollupIndexCapabilities(IndexName, Func<GetRollupIndexCapabilitiesDescriptor, IGetRollupIndexCapabilitiesRequest>) method

deleted

GetRollupIndexCapabilitiesAsync(IGetRollupIndexCapabilitiesRequest, CancellationToken) method

deleted

GetRollupIndexCapabilitiesAsync(IndexName, Func<GetRollupIndexCapabilitiesDescriptor, IGetRollupIndexCapabilitiesRequest>, CancellationToken) method

deleted

GetRollupJob(IGetRollupJobRequest) method

deleted

GetRollupJob(Func<GetRollupJobDescriptor, IGetRollupJobRequest>) method

deleted

GetRollupJobAsync(IGetRollupJobRequest, CancellationToken) method

deleted

GetRollupJobAsync(Func<GetRollupJobDescriptor, IGetRollupJobRequest>, CancellationToken) method

deleted

GetScript(Id, Func<GetScriptDescriptor, IGetScriptRequest>) method

Member type changed from IGetScriptResponse to GetScriptResponse.

GetScript(IGetScriptRequest) method

Member type changed from IGetScriptResponse to GetScriptResponse.

GetScriptAsync(Id, Func<GetScriptDescriptor, IGetScriptRequest>, CancellationToken) method

Member type changed from Task<IGetScriptResponse> to Task<GetScriptResponse>.

GetScriptAsync(IGetScriptRequest, CancellationToken) method

Member type changed from Task<IGetScriptResponse> to Task<GetScriptResponse>.

GetSnapshot(IGetSnapshotRequest) method

deleted

GetSnapshot(Name, Names, Func<GetSnapshotDescriptor, IGetSnapshotRequest>) method

deleted

GetSnapshotAsync(IGetSnapshotRequest, CancellationToken) method

deleted

GetSnapshotAsync(Name, Names, Func<GetSnapshotDescriptor, IGetSnapshotRequest>, CancellationToken) method

deleted

GetTask(IGetTaskRequest) method

deleted

GetTask(TaskId, Func<GetTaskDescriptor, IGetTaskRequest>) method

deleted

GetTaskAsync(IGetTaskRequest, CancellationToken) method

deleted

GetTaskAsync(TaskId, Func<GetTaskDescriptor, IGetTaskRequest>, CancellationToken) method

deleted

GetTrialLicenseStatus(IGetTrialLicenseStatusRequest) method

deleted

GetTrialLicenseStatus(Func<GetTrialLicenseStatusDescriptor, IGetTrialLicenseStatusRequest>) method

deleted

GetTrialLicenseStatusAsync(IGetTrialLicenseStatusRequest, CancellationToken) method

deleted

GetTrialLicenseStatusAsync(Func<GetTrialLicenseStatusDescriptor, IGetTrialLicenseStatusRequest>, CancellationToken) method

deleted

GetUser(IGetUserRequest) method

deleted

GetUser(Func<GetUserDescriptor, IGetUserRequest>) method

deleted

GetUserAccessToken(IGetUserAccessTokenRequest) method

deleted

GetUserAccessToken(String, String, Func<GetUserAccessTokenDescriptor, IGetUserAccessTokenRequest>) method

deleted

GetUserAccessTokenAsync(IGetUserAccessTokenRequest, CancellationToken) method

deleted

GetUserAccessTokenAsync(String, String, Func<GetUserAccessTokenDescriptor, IGetUserAccessTokenRequest>, CancellationToken) method

deleted

GetUserAsync(IGetUserRequest, CancellationToken) method

deleted

GetUserAsync(Func<GetUserDescriptor, IGetUserRequest>, CancellationToken) method

deleted

GetUserPrivileges(IGetUserPrivilegesRequest) method

deleted

GetUserPrivileges(Func<GetUserPrivilegesDescriptor, IGetUserPrivilegesRequest>) method

deleted

GetUserPrivilegesAsync(IGetUserPrivilegesRequest, CancellationToken) method

deleted

GetUserPrivilegesAsync(Func<GetUserPrivilegesDescriptor, IGetUserPrivilegesRequest>, CancellationToken) method

deleted

GetWatch(Id, Func<GetWatchDescriptor, IGetWatchRequest>) method

deleted

GetWatch(IGetWatchRequest) method

deleted

GetWatchAsync(Id, Func<GetWatchDescriptor, IGetWatchRequest>, CancellationToken) method

deleted

GetWatchAsync(IGetWatchRequest, CancellationToken) method

deleted

GraphExplore(IGraphExploreRequest) method

deleted

GraphExplore<T>(Func<GraphExploreDescriptor<T>, IGraphExploreRequest>) method

deleted

GraphExploreAsync(IGraphExploreRequest, CancellationToken) method

deleted

GraphExploreAsync<T>(Func<GraphExploreDescriptor<T>, IGraphExploreRequest>, CancellationToken) method

deleted

GrokProcessorPatterns(IGrokProcessorPatternsRequest) method

deleted

GrokProcessorPatterns(Func<GrokProcessorPatternsDescriptor, IGrokProcessorPatternsRequest>) method

deleted

GrokProcessorPatternsAsync(IGrokProcessorPatternsRequest, CancellationToken) method

deleted

GrokProcessorPatternsAsync(Func<GrokProcessorPatternsDescriptor, IGrokProcessorPatternsRequest>, CancellationToken) method

deleted

HasPrivileges(IHasPrivilegesRequest) method

deleted

HasPrivileges(Func<HasPrivilegesDescriptor, IHasPrivilegesRequest>) method

deleted

HasPrivilegesAsync(IHasPrivilegesRequest, CancellationToken) method

deleted

HasPrivilegesAsync(Func<HasPrivilegesDescriptor, IHasPrivilegesRequest>, CancellationToken) method

deleted

Index<T>(IIndexRequest<T>) method

deleted

Index<TDocument>(IIndexRequest<TDocument>) method

added

Index<T>(T, Func<IndexDescriptor<T>, IIndexRequest<T>>) method

deleted

Index<TDocument>(TDocument, Func<IndexDescriptor<TDocument>, IIndexRequest<TDocument>>) method

added

IndexAsync<T>(IIndexRequest<T>, CancellationToken) method

deleted

IndexAsync<TDocument>(IIndexRequest<TDocument>, CancellationToken) method

added

IndexAsync<T>(T, Func<IndexDescriptor<T>, IIndexRequest<T>>, CancellationToken) method

deleted

IndexAsync<TDocument>(TDocument, Func<IndexDescriptor<TDocument>, IIndexRequest<TDocument>>, CancellationToken) method

added

IndexDocument<T>(T) method

deleted

IndexDocument<TDocument>(TDocument) method

added

IndexDocumentAsync<T>(T, CancellationToken) method

deleted

IndexDocumentAsync<TDocument>(TDocument, CancellationToken) method

added

IndexExists(IIndexExistsRequest) method

deleted

IndexExists(Indices, Func<IndexExistsDescriptor, IIndexExistsRequest>) method

deleted

IndexExistsAsync(IIndexExistsRequest, CancellationToken) method

deleted

IndexExistsAsync(Indices, Func<IndexExistsDescriptor, IIndexExistsRequest>, CancellationToken) method

deleted

IndexTemplateExists(IIndexTemplateExistsRequest) method

deleted

IndexTemplateExists(Name, Func<IndexTemplateExistsDescriptor, IIndexTemplateExistsRequest>) method

deleted

IndexTemplateExistsAsync(IIndexTemplateExistsRequest, CancellationToken) method

deleted

IndexTemplateExistsAsync(Name, Func<IndexTemplateExistsDescriptor, IIndexTemplateExistsRequest>, CancellationToken) method

deleted

IndicesShardStores(IIndicesShardStoresRequest) method

deleted

IndicesShardStores(Func<IndicesShardStoresDescriptor, IIndicesShardStoresRequest>) method

deleted

IndicesShardStoresAsync(IIndicesShardStoresRequest, CancellationToken) method

deleted

IndicesShardStoresAsync(Func<IndicesShardStoresDescriptor, IIndicesShardStoresRequest>, CancellationToken) method

deleted

IndicesStats(IIndicesStatsRequest) method

deleted

IndicesStats(Indices, Func<IndicesStatsDescriptor, IIndicesStatsRequest>) method

deleted

IndicesStatsAsync(IIndicesStatsRequest, CancellationToken) method

deleted

IndicesStatsAsync(Indices, Func<IndicesStatsDescriptor, IIndicesStatsRequest>, CancellationToken) method

deleted

InvalidateApiKey(IInvalidateApiKeyRequest) method

deleted

InvalidateApiKey(Func<InvalidateApiKeyDescriptor, IInvalidateApiKeyRequest>) method

deleted

InvalidateApiKeyAsync(IInvalidateApiKeyRequest, CancellationToken) method

deleted

InvalidateApiKeyAsync(Func<InvalidateApiKeyDescriptor, IInvalidateApiKeyRequest>, CancellationToken) method

deleted

InvalidateUserAccessToken(IInvalidateUserAccessTokenRequest) method

deleted

InvalidateUserAccessToken(String, Func<InvalidateUserAccessTokenDescriptor, IInvalidateUserAccessTokenRequest>) method

deleted

InvalidateUserAccessTokenAsync(IInvalidateUserAccessTokenRequest, CancellationToken) method

deleted

InvalidateUserAccessTokenAsync(String, Func<InvalidateUserAccessTokenDescriptor, IInvalidateUserAccessTokenRequest>, CancellationToken) method

deleted

ListTasks(IListTasksRequest) method

deleted

ListTasks(Func<ListTasksDescriptor, IListTasksRequest>) method

deleted

ListTasksAsync(IListTasksRequest, CancellationToken) method

deleted

ListTasksAsync(Func<ListTasksDescriptor, IListTasksRequest>, CancellationToken) method

deleted

MachineLearningInfo(IMachineLearningInfoRequest) method

deleted

MachineLearningInfo(Func<MachineLearningInfoDescriptor, IMachineLearningInfoRequest>) method

deleted

MachineLearningInfoAsync(IMachineLearningInfoRequest, CancellationToken) method

deleted

MachineLearningInfoAsync(Func<MachineLearningInfoDescriptor, IMachineLearningInfoRequest>, CancellationToken) method

deleted

Map(IPutMappingRequest) method

Member type changed from IPutMappingResponse to PutMappingResponse.

Map<T>(Func<PutMappingDescriptor<T>, IPutMappingRequest>) method

Member type changed from IPutMappingResponse to PutMappingResponse.

MapAsync(IPutMappingRequest, CancellationToken) method

Member type changed from Task<IPutMappingResponse> to Task<PutMappingResponse>.

MapAsync<T>(Func<PutMappingDescriptor<T>, IPutMappingRequest>, CancellationToken) method

Member type changed from Task<IPutMappingResponse> to Task<PutMappingResponse>.

MigrationAssistance(IMigrationAssistanceRequest) method

deleted

MigrationAssistance(Func<MigrationAssistanceDescriptor, IMigrationAssistanceRequest>) method

deleted

MigrationAssistanceAsync(IMigrationAssistanceRequest, CancellationToken) method

deleted

MigrationAssistanceAsync(Func<MigrationAssistanceDescriptor, IMigrationAssistanceRequest>, CancellationToken) method

deleted

MigrationUpgrade(IMigrationUpgradeRequest) method

deleted

MigrationUpgrade(IndexName, Func<MigrationUpgradeDescriptor, IMigrationUpgradeRequest>) method

deleted

MigrationUpgradeAsync(IMigrationUpgradeRequest, CancellationToken) method

deleted

MigrationUpgradeAsync(IndexName, Func<MigrationUpgradeDescriptor, IMigrationUpgradeRequest>, CancellationToken) method

deleted

MoveToStep(IMoveToStepRequest) method

deleted

MoveToStep(IndexName, Func<MoveToStepDescriptor, IMoveToStepRequest>) method

deleted

MoveToStepAsync(IMoveToStepRequest, CancellationToken) method

deleted

MoveToStepAsync(IndexName, Func<MoveToStepDescriptor, IMoveToStepRequest>, CancellationToken) method

deleted

MultiGet(IMultiGetRequest) method

Member type changed from IMultiGetResponse to MultiGetResponse.

MultiGet(Func<MultiGetDescriptor, IMultiGetRequest>) method

Member type changed from IMultiGetResponse to MultiGetResponse.

MultiGetAsync(IMultiGetRequest, CancellationToken) method

Member type changed from Task<IMultiGetResponse> to Task<MultiGetResponse>.

MultiGetAsync(Func<MultiGetDescriptor, IMultiGetRequest>, CancellationToken) method

Member type changed from Task<IMultiGetResponse> to Task<MultiGetResponse>.

MultiSearch(IMultiSearchRequest) method

Member type changed from IMultiSearchResponse to MultiSearchResponse.

MultiSearch(Indices, Func<MultiSearchDescriptor, IMultiSearchRequest>) method

added

MultiSearch(Func<MultiSearchDescriptor, IMultiSearchRequest>) method

deleted

MultiSearchAsync(IMultiSearchRequest, CancellationToken) method

Member type changed from Task<IMultiSearchResponse> to Task<MultiSearchResponse>.

MultiSearchAsync(Indices, Func<MultiSearchDescriptor, IMultiSearchRequest>, CancellationToken) method

added

MultiSearchAsync(Func<MultiSearchDescriptor, IMultiSearchRequest>, CancellationToken) method

deleted

MultiSearchTemplate(IMultiSearchTemplateRequest) method

Member type changed from IMultiSearchResponse to MultiSearchResponse.

MultiSearchTemplate(Indices, Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>) method

added

MultiSearchTemplate(Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>) method

deleted

MultiSearchTemplateAsync(IMultiSearchTemplateRequest, CancellationToken) method

Member type changed from Task<IMultiSearchResponse> to Task<MultiSearchResponse>.

MultiSearchTemplateAsync(Indices, Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>, CancellationToken) method

added

MultiSearchTemplateAsync(Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>, CancellationToken) method

deleted

MultiTermVectors(IMultiTermVectorsRequest) method

Member type changed from IMultiTermVectorsResponse to MultiTermVectorsResponse.

MultiTermVectors(Func<MultiTermVectorsDescriptor, IMultiTermVectorsRequest>) method

Member type changed from IMultiTermVectorsResponse to MultiTermVectorsResponse.

MultiTermVectorsAsync(IMultiTermVectorsRequest, CancellationToken) method

Member type changed from Task<IMultiTermVectorsResponse> to Task<MultiTermVectorsResponse>.

MultiTermVectorsAsync(Func<MultiTermVectorsDescriptor, IMultiTermVectorsRequest>, CancellationToken) method

Member type changed from Task<IMultiTermVectorsResponse> to Task<MultiTermVectorsResponse>.

NodesHotThreads(INodesHotThreadsRequest) method

deleted

NodesHotThreads(Func<NodesHotThreadsDescriptor, INodesHotThreadsRequest>) method

deleted

NodesHotThreadsAsync(INodesHotThreadsRequest, CancellationToken) method

deleted

NodesHotThreadsAsync(Func<NodesHotThreadsDescriptor, INodesHotThreadsRequest>, CancellationToken) method

deleted

NodesInfo(INodesInfoRequest) method

deleted

NodesInfo(Func<NodesInfoDescriptor, INodesInfoRequest>) method

deleted

NodesInfoAsync(INodesInfoRequest, CancellationToken) method

deleted

NodesInfoAsync(Func<NodesInfoDescriptor, INodesInfoRequest>, CancellationToken) method

deleted

NodesStats(INodesStatsRequest) method

deleted

NodesStats(Func<NodesStatsDescriptor, INodesStatsRequest>) method

deleted

NodesStatsAsync(INodesStatsRequest, CancellationToken) method

deleted

NodesStatsAsync(Func<NodesStatsDescriptor, INodesStatsRequest>, CancellationToken) method

deleted

NodesUsage(INodesUsageRequest) method

deleted

NodesUsage(Func<NodesUsageDescriptor, INodesUsageRequest>) method

deleted

NodesUsageAsync(INodesUsageRequest, CancellationToken) method

deleted

NodesUsageAsync(Func<NodesUsageDescriptor, INodesUsageRequest>, CancellationToken) method

deleted

OpenIndex(Indices, Func<OpenIndexDescriptor, IOpenIndexRequest>) method

deleted

OpenIndex(IOpenIndexRequest) method

deleted

OpenIndexAsync(Indices, Func<OpenIndexDescriptor, IOpenIndexRequest>, CancellationToken) method

deleted

OpenIndexAsync(IOpenIndexRequest, CancellationToken) method

deleted

OpenJob(Id, Func<OpenJobDescriptor, IOpenJobRequest>) method

deleted

OpenJob(IOpenJobRequest) method

deleted

OpenJobAsync(Id, Func<OpenJobDescriptor, IOpenJobRequest>, CancellationToken) method

deleted

OpenJobAsync(IOpenJobRequest, CancellationToken) method

deleted

PauseFollowIndex(IndexName, Func<PauseFollowIndexDescriptor, IPauseFollowIndexRequest>) method

deleted

PauseFollowIndex(IPauseFollowIndexRequest) method

deleted

PauseFollowIndexAsync(IndexName, Func<PauseFollowIndexDescriptor, IPauseFollowIndexRequest>, CancellationToken) method

deleted

PauseFollowIndexAsync(IPauseFollowIndexRequest, CancellationToken) method

deleted

Ping(IPingRequest) method

Member type changed from IPingResponse to PingResponse.

Ping(Func<PingDescriptor, IPingRequest>) method

Member type changed from IPingResponse to PingResponse.

PingAsync(IPingRequest, CancellationToken) method

Member type changed from Task<IPingResponse> to Task<PingResponse>.

PingAsync(Func<PingDescriptor, IPingRequest>, CancellationToken) method

Member type changed from Task<IPingResponse> to Task<PingResponse>.

PostCalendarEvents(Id, Func<PostCalendarEventsDescriptor, IPostCalendarEventsRequest>) method

deleted

PostCalendarEvents(IPostCalendarEventsRequest) method

deleted

PostCalendarEventsAsync(Id, Func<PostCalendarEventsDescriptor, IPostCalendarEventsRequest>, CancellationToken) method

deleted

PostCalendarEventsAsync(IPostCalendarEventsRequest, CancellationToken) method

deleted

PostJobData(Id, Func<PostJobDataDescriptor, IPostJobDataRequest>) method

deleted

PostJobData(IPostJobDataRequest) method

deleted

PostJobDataAsync(Id, Func<PostJobDataDescriptor, IPostJobDataRequest>, CancellationToken) method

deleted

PostJobDataAsync(IPostJobDataRequest, CancellationToken) method

deleted

PostLicense(IPostLicenseRequest) method

deleted

PostLicense(Func<PostLicenseDescriptor, IPostLicenseRequest>) method

deleted

PostLicenseAsync(IPostLicenseRequest, CancellationToken) method

deleted

PostLicenseAsync(Func<PostLicenseDescriptor, IPostLicenseRequest>, CancellationToken) method

deleted

PreviewDatafeed<T>(Id, Func<PreviewDatafeedDescriptor, IPreviewDatafeedRequest>) method

deleted

PreviewDatafeed<T>(IPreviewDatafeedRequest) method

deleted

PreviewDatafeedAsync<T>(Id, Func<PreviewDatafeedDescriptor, IPreviewDatafeedRequest>, CancellationToken) method

deleted

PreviewDatafeedAsync<T>(IPreviewDatafeedRequest, CancellationToken) method

deleted

PutAlias(Indices, Name, Func<PutAliasDescriptor, IPutAliasRequest>) method

deleted

PutAlias(IPutAliasRequest) method

deleted

PutAliasAsync(Indices, Name, Func<PutAliasDescriptor, IPutAliasRequest>, CancellationToken) method

deleted

PutAliasAsync(IPutAliasRequest, CancellationToken) method

deleted

PutCalendar(Id, Func<PutCalendarDescriptor, IPutCalendarRequest>) method

deleted

PutCalendar(IPutCalendarRequest) method

deleted

PutCalendarAsync(Id, Func<PutCalendarDescriptor, IPutCalendarRequest>, CancellationToken) method

deleted

PutCalendarAsync(IPutCalendarRequest, CancellationToken) method

deleted

PutCalendarJob(Id, Id, Func<PutCalendarJobDescriptor, IPutCalendarJobRequest>) method

deleted

PutCalendarJob(IPutCalendarJobRequest) method

deleted

PutCalendarJobAsync(Id, Id, Func<PutCalendarJobDescriptor, IPutCalendarJobRequest>, CancellationToken) method

deleted

PutCalendarJobAsync(IPutCalendarJobRequest, CancellationToken) method

deleted

PutDatafeed<T>(Id, Func<PutDatafeedDescriptor<T>, IPutDatafeedRequest>) method

deleted

PutDatafeed(IPutDatafeedRequest) method

deleted

PutDatafeedAsync<T>(Id, Func<PutDatafeedDescriptor<T>, IPutDatafeedRequest>, CancellationToken) method

deleted

PutDatafeedAsync(IPutDatafeedRequest, CancellationToken) method

deleted

PutFilter(Id, Func<PutFilterDescriptor, IPutFilterRequest>) method

deleted

PutFilter(IPutFilterRequest) method

deleted

PutFilterAsync(Id, Func<PutFilterDescriptor, IPutFilterRequest>, CancellationToken) method

deleted

PutFilterAsync(IPutFilterRequest, CancellationToken) method

deleted

PutIndexTemplate(IPutIndexTemplateRequest) method

deleted

PutIndexTemplate(Name, Func<PutIndexTemplateDescriptor, IPutIndexTemplateRequest>) method

deleted

PutIndexTemplateAsync(IPutIndexTemplateRequest, CancellationToken) method

deleted

PutIndexTemplateAsync(Name, Func<PutIndexTemplateDescriptor, IPutIndexTemplateRequest>, CancellationToken) method

deleted

PutJob<T>(Id, Func<PutJobDescriptor<T>, IPutJobRequest>) method

deleted

PutJob(IPutJobRequest) method

deleted

PutJobAsync<T>(Id, Func<PutJobDescriptor<T>, IPutJobRequest>, CancellationToken) method

deleted

PutJobAsync(IPutJobRequest, CancellationToken) method

deleted

PutLifecycle(IPutLifecycleRequest) method

deleted

PutLifecycle(PolicyId, Func<PutLifecycleDescriptor, IPutLifecycleRequest>) method

deleted

PutLifecycleAsync(IPutLifecycleRequest, CancellationToken) method

deleted

PutLifecycleAsync(PolicyId, Func<PutLifecycleDescriptor, IPutLifecycleRequest>, CancellationToken) method

deleted

PutPipeline(Id, Func<PutPipelineDescriptor, IPutPipelineRequest>) method

deleted

PutPipeline(IPutPipelineRequest) method

deleted

PutPipelineAsync(Id, Func<PutPipelineDescriptor, IPutPipelineRequest>, CancellationToken) method

deleted

PutPipelineAsync(IPutPipelineRequest, CancellationToken) method

deleted

PutPrivileges(IPutPrivilegesRequest) method

deleted

PutPrivileges(Func<PutPrivilegesDescriptor, IPutPrivilegesRequest>) method

deleted

PutPrivilegesAsync(IPutPrivilegesRequest, CancellationToken) method

deleted

PutPrivilegesAsync(Func<PutPrivilegesDescriptor, IPutPrivilegesRequest>, CancellationToken) method

deleted

PutRole(IPutRoleRequest) method

deleted

PutRole(Name, Func<PutRoleDescriptor, IPutRoleRequest>) method

deleted

PutRoleAsync(IPutRoleRequest, CancellationToken) method

deleted

PutRoleAsync(Name, Func<PutRoleDescriptor, IPutRoleRequest>, CancellationToken) method

deleted

PutRoleMapping(IPutRoleMappingRequest) method

deleted

PutRoleMapping(Name, Func<PutRoleMappingDescriptor, IPutRoleMappingRequest>) method

deleted

PutRoleMappingAsync(IPutRoleMappingRequest, CancellationToken) method

deleted

PutRoleMappingAsync(Name, Func<PutRoleMappingDescriptor, IPutRoleMappingRequest>, CancellationToken) method

deleted

PutScript(Id, Func<PutScriptDescriptor, IPutScriptRequest>) method

Member type changed from IPutScriptResponse to PutScriptResponse.

PutScript(IPutScriptRequest) method

Member type changed from IPutScriptResponse to PutScriptResponse.

PutScriptAsync(Id, Func<PutScriptDescriptor, IPutScriptRequest>, CancellationToken) method

Member type changed from Task<IPutScriptResponse> to Task<PutScriptResponse>.

PutScriptAsync(IPutScriptRequest, CancellationToken) method

Member type changed from Task<IPutScriptResponse> to Task<PutScriptResponse>.

PutUser(IPutUserRequest) method

deleted

PutUser(Name, Func<PutUserDescriptor, IPutUserRequest>) method

deleted

PutUserAsync(IPutUserRequest, CancellationToken) method

deleted

PutUserAsync(Name, Func<PutUserDescriptor, IPutUserRequest>, CancellationToken) method

deleted

PutWatch(Id, Func<PutWatchDescriptor, IPutWatchRequest>) method

deleted

PutWatch(IPutWatchRequest) method

deleted

PutWatchAsync(Id, Func<PutWatchDescriptor, IPutWatchRequest>, CancellationToken) method

deleted

PutWatchAsync(IPutWatchRequest, CancellationToken) method

deleted

QuerySql(IQuerySqlRequest) method

deleted

QuerySql(Func<QuerySqlDescriptor, IQuerySqlRequest>) method

deleted

QuerySqlAsync(IQuerySqlRequest, CancellationToken) method

deleted

QuerySqlAsync(Func<QuerySqlDescriptor, IQuerySqlRequest>, CancellationToken) method

deleted

RecoveryStatus(Indices, Func<RecoveryStatusDescriptor, IRecoveryStatusRequest>) method

deleted

RecoveryStatus(IRecoveryStatusRequest) method

deleted

RecoveryStatusAsync(Indices, Func<RecoveryStatusDescriptor, IRecoveryStatusRequest>, CancellationToken) method

deleted

RecoveryStatusAsync(IRecoveryStatusRequest, CancellationToken) method

deleted

Refresh(Indices, Func<RefreshDescriptor, IRefreshRequest>) method

deleted

Refresh(IRefreshRequest) method

deleted

RefreshAsync(Indices, Func<RefreshDescriptor, IRefreshRequest>, CancellationToken) method

deleted

RefreshAsync(IRefreshRequest, CancellationToken) method

deleted

Reindex<TSource>(IndexName, IndexName, Func<QueryContainerDescriptor<TSource>, QueryContainer>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource, TTarget>(IndexName, IndexName, Func<TSource, TTarget>, Func<QueryContainerDescriptor<TSource>, QueryContainer>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource>(IReindexRequest<TSource>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource, TTarget>(IReindexRequest<TSource, TTarget>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource>(Func<ReindexDescriptor<TSource, TSource>, IReindexRequest<TSource, TSource>>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource, TTarget>(Func<TSource, TTarget>, Func<ReindexDescriptor<TSource, TTarget>, IReindexRequest<TSource, TTarget>>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

ReindexOnServer(IReindexOnServerRequest) method

Member type changed from IReindexOnServerResponse to ReindexOnServerResponse.

ReindexOnServer(Func<ReindexOnServerDescriptor, IReindexOnServerRequest>) method

Member type changed from IReindexOnServerResponse to ReindexOnServerResponse.

ReindexOnServerAsync(IReindexOnServerRequest, CancellationToken) method

Member type changed from Task<IReindexOnServerResponse> to Task<ReindexOnServerResponse>.

ReindexOnServerAsync(Func<ReindexOnServerDescriptor, IReindexOnServerRequest>, CancellationToken) method

Member type changed from Task<IReindexOnServerResponse> to Task<ReindexOnServerResponse>.

ReindexRethrottle(IReindexRethrottleRequest) method

added

ReindexRethrottle(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>) method

added

ReindexRethrottleAsync(IReindexRethrottleRequest, CancellationToken) method

added

ReindexRethrottleAsync(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>, CancellationToken) method

added

ReloadSecureSettings(IReloadSecureSettingsRequest) method

deleted

ReloadSecureSettings(Func<ReloadSecureSettingsDescriptor, IReloadSecureSettingsRequest>) method

deleted

ReloadSecureSettingsAsync(IReloadSecureSettingsRequest, CancellationToken) method

deleted

ReloadSecureSettingsAsync(Func<ReloadSecureSettingsDescriptor, IReloadSecureSettingsRequest>, CancellationToken) method

deleted

RemoteInfo(IRemoteInfoRequest) method

deleted

RemoteInfo(Func<RemoteInfoDescriptor, IRemoteInfoRequest>) method

deleted

RemoteInfoAsync(IRemoteInfoRequest, CancellationToken) method

deleted

RemoteInfoAsync(Func<RemoteInfoDescriptor, IRemoteInfoRequest>, CancellationToken) method

deleted

RemovePolicy(IndexName, Func<RemovePolicyDescriptor, IRemovePolicyRequest>) method

deleted

RemovePolicy(IRemovePolicyRequest) method

deleted

RemovePolicyAsync(IndexName, Func<RemovePolicyDescriptor, IRemovePolicyRequest>, CancellationToken) method

deleted

RemovePolicyAsync(IRemovePolicyRequest, CancellationToken) method

deleted

RenderSearchTemplate(IRenderSearchTemplateRequest) method

Member type changed from IRenderSearchTemplateResponse to RenderSearchTemplateResponse.

RenderSearchTemplate(Func<RenderSearchTemplateDescriptor, IRenderSearchTemplateRequest>) method

Member type changed from IRenderSearchTemplateResponse to RenderSearchTemplateResponse.

RenderSearchTemplateAsync(IRenderSearchTemplateRequest, CancellationToken) method

Member type changed from Task<IRenderSearchTemplateResponse> to Task<RenderSearchTemplateResponse>.

RenderSearchTemplateAsync(Func<RenderSearchTemplateDescriptor, IRenderSearchTemplateRequest>, CancellationToken) method

Member type changed from Task<IRenderSearchTemplateResponse> to Task<RenderSearchTemplateResponse>.

RestartWatcher(IRestartWatcherRequest) method

deleted

RestartWatcher(Func<RestartWatcherDescriptor, IRestartWatcherRequest>) method

deleted

RestartWatcherAsync(IRestartWatcherRequest, CancellationToken) method

deleted

RestartWatcherAsync(Func<RestartWatcherDescriptor, IRestartWatcherRequest>, CancellationToken) method

deleted

Restore(IRestoreRequest) method

deleted

Restore(Name, Name, Func<RestoreDescriptor, IRestoreRequest>) method

deleted

RestoreAsync(IRestoreRequest, CancellationToken) method

deleted

RestoreAsync(Name, Name, Func<RestoreDescriptor, IRestoreRequest>, CancellationToken) method

deleted

RestoreObservable(Name, Name, TimeSpan, Func<RestoreDescriptor, IRestoreRequest>) method

deleted

RestoreObservable(TimeSpan, IRestoreRequest) method

deleted

ResumeFollowIndex(IndexName, Func<ResumeFollowIndexDescriptor, IResumeFollowIndexRequest>) method

deleted

ResumeFollowIndex(IResumeFollowIndexRequest) method

deleted

ResumeFollowIndexAsync(IndexName, Func<ResumeFollowIndexDescriptor, IResumeFollowIndexRequest>, CancellationToken) method

deleted

ResumeFollowIndexAsync(IResumeFollowIndexRequest, CancellationToken) method

deleted

Rethrottle(IReindexRethrottleRequest) method

deleted

Rethrottle(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>) method

deleted

Rethrottle(Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>) method

deleted

RethrottleAsync(IReindexRethrottleRequest, CancellationToken) method

deleted

RethrottleAsync(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>, CancellationToken) method

deleted

RethrottleAsync(Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>, CancellationToken) method

deleted

RetryIlm(IndexName, Func<RetryIlmDescriptor, IRetryIlmRequest>) method

deleted

RetryIlm(IRetryIlmRequest) method

deleted

RetryIlmAsync(IndexName, Func<RetryIlmDescriptor, IRetryIlmRequest>, CancellationToken) method

deleted

RetryIlmAsync(IRetryIlmRequest, CancellationToken) method

deleted

RevertModelSnapshot(Id, Id, Func<RevertModelSnapshotDescriptor, IRevertModelSnapshotRequest>) method

deleted

RevertModelSnapshot(IRevertModelSnapshotRequest) method

deleted

RevertModelSnapshotAsync(Id, Id, Func<RevertModelSnapshotDescriptor, IRevertModelSnapshotRequest>, CancellationToken) method

deleted

RevertModelSnapshotAsync(IRevertModelSnapshotRequest, CancellationToken) method

deleted

RolloverIndex(IRolloverIndexRequest) method

deleted

RolloverIndex(Name, Func<RolloverIndexDescriptor, IRolloverIndexRequest>) method

deleted

RolloverIndexAsync(IRolloverIndexRequest, CancellationToken) method

deleted

RolloverIndexAsync(Name, Func<RolloverIndexDescriptor, IRolloverIndexRequest>, CancellationToken) method

deleted

RollupSearch<T, THit>(Indices, Func<RollupSearchDescriptor<T>, IRollupSearchRequest>) method

deleted

RollupSearch<THit>(Indices, Func<RollupSearchDescriptor<THit>, IRollupSearchRequest>) method

deleted

RollupSearch<THit>(IRollupSearchRequest) method

deleted

RollupSearchAsync<T, THit>(Indices, Func<RollupSearchDescriptor<T>, IRollupSearchRequest>, CancellationToken) method

deleted

RollupSearchAsync<THit>(Indices, Func<RollupSearchDescriptor<THit>, IRollupSearchRequest>, CancellationToken) method

deleted

RollupSearchAsync<THit>(IRollupSearchRequest, CancellationToken) method

deleted

RootNodeInfo(IRootNodeInfoRequest) method

Member type changed from IRootNodeInfoResponse to RootNodeInfoResponse.

RootNodeInfo(Func<RootNodeInfoDescriptor, IRootNodeInfoRequest>) method

Member type changed from IRootNodeInfoResponse to RootNodeInfoResponse.

RootNodeInfoAsync(IRootNodeInfoRequest, CancellationToken) method

Member type changed from Task<IRootNodeInfoResponse> to Task<RootNodeInfoResponse>.

RootNodeInfoAsync(Func<RootNodeInfoDescriptor, IRootNodeInfoRequest>, CancellationToken) method

Member type changed from Task<IRootNodeInfoResponse> to Task<RootNodeInfoResponse>.

Scroll<TDocument>(IScrollRequest) method

Member type changed from ISearchResponse<T> to ISearchResponse<TDocument>.

Scroll<T>(Time, String, Func<ScrollDescriptor<T>, IScrollRequest>) method

deleted

Scroll<TDocument>(Time, String, Func<ScrollDescriptor<TDocument>, IScrollRequest>) method

added

Scroll<TInferDocument, TDocument>(Time, String, Func<ScrollDescriptor<TInferDocument>, IScrollRequest>) method

added

ScrollAll<T>(IScrollAllRequest, CancellationToken) method

Member type changed from IObservable<IScrollAllResponse<T>> to IObservable<ScrollAllResponse<T>>.

ScrollAll<T>(Time, Int32, Func<ScrollAllDescriptor<T>, IScrollAllRequest>, CancellationToken) method

Member type changed from IObservable<IScrollAllResponse<T>> to IObservable<ScrollAllResponse<T>>.

ScrollAsync<TDocument>(IScrollRequest, CancellationToken) method

Member type changed from Task<ISearchResponse<T>> to Task<ISearchResponse<TDocument>>.

ScrollAsync<T>(Time, String, Func<ScrollDescriptor<T>, IScrollRequest>, CancellationToken) method

deleted

ScrollAsync<TDocument>(Time, String, Func<ScrollDescriptor<TDocument>, IScrollRequest>, CancellationToken) method

added

ScrollAsync<TInferDocument, TDocument>(Time, String, Func<ScrollDescriptor<TInferDocument>, IScrollRequest>, CancellationToken) method

added

Search<TDocument>(ISearchRequest) method

Member type changed from ISearchResponse<TResult> to ISearchResponse<TDocument>.

Search<T>(ISearchRequest) method

deleted

Search<T>(Func<SearchDescriptor<T>, ISearchRequest>) method

deleted

Search<T, TResult>(Func<SearchDescriptor<T>, ISearchRequest>) method

deleted

Search<TDocument>(Func<SearchDescriptor<TDocument>, ISearchRequest>) method

added

Search<TInferDocument, TDocument>(Func<SearchDescriptor<TInferDocument>, ISearchRequest>) method

added

SearchAsync<TDocument>(ISearchRequest, CancellationToken) method

Member type changed from Task<ISearchResponse<T>> to Task<ISearchResponse<TDocument>>.

SearchAsync<T, TResult>(ISearchRequest, CancellationToken) method

deleted

SearchAsync<T>(Func<SearchDescriptor<T>, ISearchRequest>, CancellationToken) method

deleted

SearchAsync<T, TResult>(Func<SearchDescriptor<T>, ISearchRequest>, CancellationToken) method

deleted

SearchAsync<TDocument>(Func<SearchDescriptor<TDocument>, ISearchRequest>, CancellationToken) method

added

SearchAsync<TInferDocument, TDocument>(Func<SearchDescriptor<TInferDocument>, ISearchRequest>, CancellationToken) method

added

SearchShards(ISearchShardsRequest) method

Member type changed from ISearchShardsResponse to SearchShardsResponse.

SearchShards<T>(Func<SearchShardsDescriptor<T>, ISearchShardsRequest>) method

deleted

SearchShards<TDocument>(Func<SearchShardsDescriptor<TDocument>, ISearchShardsRequest>) method

added

SearchShardsAsync(ISearchShardsRequest, CancellationToken) method

Member type changed from Task<ISearchShardsResponse> to Task<SearchShardsResponse>.

SearchShardsAsync<T>(Func<SearchShardsDescriptor<T>, ISearchShardsRequest>, CancellationToken) method

deleted

SearchShardsAsync<TDocument>(Func<SearchShardsDescriptor<TDocument>, ISearchShardsRequest>, CancellationToken) method

added

SearchTemplate<TDocument>(ISearchTemplateRequest) method

Member type changed from ISearchResponse<T> to ISearchResponse<TDocument>.

SearchTemplate<T, TResult>(ISearchTemplateRequest) method

deleted

SearchTemplate<T, TResult>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>) method

deleted

SearchTemplate<T>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>) method

deleted

SearchTemplate<TDocument>(Func<SearchTemplateDescriptor<TDocument>, ISearchTemplateRequest>) method

added

SearchTemplateAsync<TDocument>(ISearchTemplateRequest, CancellationToken) method

Member type changed from Task<ISearchResponse<T>> to Task<ISearchResponse<TDocument>>.

SearchTemplateAsync<T, TResult>(ISearchTemplateRequest, CancellationToken) method

deleted

SearchTemplateAsync<T, TResult>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>, CancellationToken) method

deleted

SearchTemplateAsync<T>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>, CancellationToken) method

deleted

SearchTemplateAsync<TDocument>(Func<SearchTemplateDescriptor<TDocument>, ISearchTemplateRequest>, CancellationToken) method

added

Segments(Indices, Func<SegmentsDescriptor, ISegmentsRequest>) method

deleted

Segments(ISegmentsRequest) method

deleted

SegmentsAsync(Indices, Func<SegmentsDescriptor, ISegmentsRequest>, CancellationToken) method

deleted

SegmentsAsync(ISegmentsRequest, CancellationToken) method

deleted

ShrinkIndex(IndexName, IndexName, Func<ShrinkIndexDescriptor, IShrinkIndexRequest>) method

deleted

ShrinkIndex(IShrinkIndexRequest) method

deleted

ShrinkIndexAsync(IndexName, IndexName, Func<ShrinkIndexDescriptor, IShrinkIndexRequest>, CancellationToken) method

deleted

ShrinkIndexAsync(IShrinkIndexRequest, CancellationToken) method

deleted

SimulatePipeline(ISimulatePipelineRequest) method

deleted

SimulatePipeline(Func<SimulatePipelineDescriptor, ISimulatePipelineRequest>) method

deleted

SimulatePipelineAsync(ISimulatePipelineRequest, CancellationToken) method

deleted

SimulatePipelineAsync(Func<SimulatePipelineDescriptor, ISimulatePipelineRequest>, CancellationToken) method

deleted

Snapshot(ISnapshotRequest) method

deleted

Snapshot(Name, Name, Func<SnapshotDescriptor, ISnapshotRequest>) method

deleted

SnapshotAsync(ISnapshotRequest, CancellationToken) method

deleted

SnapshotAsync(Name, Name, Func<SnapshotDescriptor, ISnapshotRequest>, CancellationToken) method

deleted

SnapshotObservable(Name, Name, TimeSpan, Func<SnapshotDescriptor, ISnapshotRequest>) method

deleted

SnapshotObservable(TimeSpan, ISnapshotRequest) method

deleted

SnapshotStatus(ISnapshotStatusRequest) method

deleted

SnapshotStatus(Func<SnapshotStatusDescriptor, ISnapshotStatusRequest>) method

deleted

SnapshotStatusAsync(ISnapshotStatusRequest, CancellationToken) method

deleted

SnapshotStatusAsync(Func<SnapshotStatusDescriptor, ISnapshotStatusRequest>, CancellationToken) method

deleted

Source<T>(DocumentPath<T>, Func<SourceDescriptor<T>, ISourceRequest>) method

deleted

Source<TDocument>(DocumentPath<TDocument>, Func<SourceDescriptor<TDocument>, ISourceRequest>) method

added

Source<TDocument>(ISourceRequest) method

Member type changed from T to SourceResponse<TDocument>.

SourceAsync<T>(DocumentPath<T>, Func<SourceDescriptor<T>, ISourceRequest>, CancellationToken) method

deleted

SourceAsync<TDocument>(DocumentPath<TDocument>, Func<SourceDescriptor<TDocument>, ISourceRequest>, CancellationToken) method

added

SourceAsync<TDocument>(ISourceRequest, CancellationToken) method

Member type changed from Task<T> to Task<SourceResponse<TDocument>>.

SourceExists<T>(DocumentPath<T>, Func<SourceExistsDescriptor<T>, ISourceExistsRequest>) method

deleted

SourceExists<TDocument>(DocumentPath<TDocument>, Func<SourceExistsDescriptor<TDocument>, ISourceExistsRequest>) method

added

SourceExists(ISourceExistsRequest) method

Member type changed from IExistsResponse to ExistsResponse.

SourceExistsAsync<T>(DocumentPath<T>, Func<SourceExistsDescriptor<T>, ISourceExistsRequest>, CancellationToken) method

deleted

SourceExistsAsync<TDocument>(DocumentPath<TDocument>, Func<SourceExistsDescriptor<TDocument>, ISourceExistsRequest>, CancellationToken) method

added

SourceExistsAsync(ISourceExistsRequest, CancellationToken) method

Member type changed from Task<IExistsResponse> to Task<ExistsResponse>.

SplitIndex(IndexName, IndexName, Func<SplitIndexDescriptor, ISplitIndexRequest>) method

deleted

SplitIndex(ISplitIndexRequest) method

deleted

SplitIndexAsync(IndexName, IndexName, Func<SplitIndexDescriptor, ISplitIndexRequest>, CancellationToken) method

deleted

SplitIndexAsync(ISplitIndexRequest, CancellationToken) method

deleted

StartBasicLicense(IStartBasicLicenseRequest) method

deleted

StartBasicLicense(Func<StartBasicLicenseDescriptor, IStartBasicLicenseRequest>) method

deleted

StartBasicLicenseAsync(IStartBasicLicenseRequest, CancellationToken) method

deleted

StartBasicLicenseAsync(Func<StartBasicLicenseDescriptor, IStartBasicLicenseRequest>, CancellationToken) method

deleted

StartDatafeed(Id, Func<StartDatafeedDescriptor, IStartDatafeedRequest>) method

deleted

StartDatafeed(IStartDatafeedRequest) method

deleted

StartDatafeedAsync(Id, Func<StartDatafeedDescriptor, IStartDatafeedRequest>, CancellationToken) method

deleted

StartDatafeedAsync(IStartDatafeedRequest, CancellationToken) method

deleted

StartIlm(IStartIlmRequest) method

deleted

StartIlm(Func<StartIlmDescriptor, IStartIlmRequest>) method

deleted

StartIlmAsync(IStartIlmRequest, CancellationToken) method

deleted

StartIlmAsync(Func<StartIlmDescriptor, IStartIlmRequest>, CancellationToken) method

deleted

StartRollupJob(Id, Func<StartRollupJobDescriptor, IStartRollupJobRequest>) method

deleted

StartRollupJob(IStartRollupJobRequest) method

deleted

StartRollupJobAsync(Id, Func<StartRollupJobDescriptor, IStartRollupJobRequest>, CancellationToken) method

deleted

StartRollupJobAsync(IStartRollupJobRequest, CancellationToken) method

deleted

StartTrialLicense(IStartTrialLicenseRequest) method

deleted

StartTrialLicense(Func<StartTrialLicenseDescriptor, IStartTrialLicenseRequest>) method

deleted

StartTrialLicenseAsync(IStartTrialLicenseRequest, CancellationToken) method

deleted

StartTrialLicenseAsync(Func<StartTrialLicenseDescriptor, IStartTrialLicenseRequest>, CancellationToken) method

deleted

StartWatcher(IStartWatcherRequest) method

deleted

StartWatcher(Func<StartWatcherDescriptor, IStartWatcherRequest>) method

deleted

StartWatcherAsync(IStartWatcherRequest, CancellationToken) method

deleted

StartWatcherAsync(Func<StartWatcherDescriptor, IStartWatcherRequest>, CancellationToken) method

deleted

StopDatafeed(Id, Func<StopDatafeedDescriptor, IStopDatafeedRequest>) method

deleted

StopDatafeed(IStopDatafeedRequest) method

deleted

StopDatafeedAsync(Id, Func<StopDatafeedDescriptor, IStopDatafeedRequest>, CancellationToken) method

deleted

StopDatafeedAsync(IStopDatafeedRequest, CancellationToken) method

deleted

StopIlm(IStopIlmRequest) method

deleted

StopIlm(Func<StopIlmDescriptor, IStopIlmRequest>) method

deleted

StopIlmAsync(IStopIlmRequest, CancellationToken) method

deleted

StopIlmAsync(Func<StopIlmDescriptor, IStopIlmRequest>, CancellationToken) method

deleted

StopRollupJob(Id, Func<StopRollupJobDescriptor, IStopRollupJobRequest>) method

deleted

StopRollupJob(IStopRollupJobRequest) method

deleted

StopRollupJobAsync(Id, Func<StopRollupJobDescriptor, IStopRollupJobRequest>, CancellationToken) method

deleted

StopRollupJobAsync(IStopRollupJobRequest, CancellationToken) method

deleted

StopWatcher(IStopWatcherRequest) method

deleted

StopWatcher(Func<StopWatcherDescriptor, IStopWatcherRequest>) method

deleted

StopWatcherAsync(IStopWatcherRequest, CancellationToken) method

deleted

StopWatcherAsync(Func<StopWatcherDescriptor, IStopWatcherRequest>, CancellationToken) method

deleted

SyncedFlush(Indices, Func<SyncedFlushDescriptor, ISyncedFlushRequest>) method

deleted

SyncedFlush(ISyncedFlushRequest) method

deleted

SyncedFlushAsync(Indices, Func<SyncedFlushDescriptor, ISyncedFlushRequest>, CancellationToken) method

deleted

SyncedFlushAsync(ISyncedFlushRequest, CancellationToken) method

deleted

TermVectors<T>(ITermVectorsRequest<T>) method

deleted

TermVectors<TDocument>(ITermVectorsRequest<TDocument>) method

added

TermVectors<T>(Func<TermVectorsDescriptor<T>, ITermVectorsRequest<T>>) method

deleted

TermVectors<TDocument>(Func<TermVectorsDescriptor<TDocument>, ITermVectorsRequest<TDocument>>) method

added

TermVectorsAsync<T>(ITermVectorsRequest<T>, CancellationToken) method

deleted

TermVectorsAsync<TDocument>(ITermVectorsRequest<TDocument>, CancellationToken) method

added

TermVectorsAsync<T>(Func<TermVectorsDescriptor<T>, ITermVectorsRequest<T>>, CancellationToken) method

deleted

TermVectorsAsync<TDocument>(Func<TermVectorsDescriptor<TDocument>, ITermVectorsRequest<TDocument>>, CancellationToken) method

added

TranslateSql(ITranslateSqlRequest) method

deleted

TranslateSql(Func<TranslateSqlDescriptor, ITranslateSqlRequest>) method

deleted

TranslateSqlAsync(ITranslateSqlRequest, CancellationToken) method

deleted

TranslateSqlAsync(Func<TranslateSqlDescriptor, ITranslateSqlRequest>, CancellationToken) method

deleted

TypeExists(Indices, Types, Func<TypeExistsDescriptor, ITypeExistsRequest>) method

deleted

TypeExists(ITypeExistsRequest) method

deleted

TypeExistsAsync(Indices, Types, Func<TypeExistsDescriptor, ITypeExistsRequest>, CancellationToken) method

deleted

TypeExistsAsync(ITypeExistsRequest, CancellationToken) method

deleted

UnfollowIndex(IndexName, Func<UnfollowIndexDescriptor, IUnfollowIndexRequest>) method

deleted

UnfollowIndex(IUnfollowIndexRequest) method

deleted

UnfollowIndexAsync(IndexName, Func<UnfollowIndexDescriptor, IUnfollowIndexRequest>, CancellationToken) method

deleted

UnfollowIndexAsync(IUnfollowIndexRequest, CancellationToken) method

deleted

Update<TDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TDocument>, IUpdateRequest<TDocument, TDocument>>) method

Member type changed from IUpdateResponse<TDocument> to UpdateResponse<TDocument>.

Update<TDocument, TPartialDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TPartialDocument>, IUpdateRequest<TDocument, TPartialDocument>>) method

Member type changed from IUpdateResponse<TDocument> to UpdateResponse<TDocument>.

Update<TDocument>(IUpdateRequest<TDocument, TDocument>) method

deleted

Update<TDocument, TPartialDocument>(IUpdateRequest<TDocument, TPartialDocument>) method

Member type changed from IUpdateResponse<TDocument> to UpdateResponse<TDocument>.

UpdateAsync<TDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TDocument>, IUpdateRequest<TDocument, TDocument>>, CancellationToken) method

Member type changed from Task<IUpdateResponse<TDocument>> to Task<UpdateResponse<TDocument>>.

UpdateAsync<TDocument, TPartialDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TPartialDocument>, IUpdateRequest<TDocument, TPartialDocument>>, CancellationToken) method

Member type changed from Task<IUpdateResponse<TDocument>> to Task<UpdateResponse<TDocument>>.

UpdateAsync<TDocument>(IUpdateRequest<TDocument, TDocument>, CancellationToken) method

deleted

UpdateAsync<TDocument, TPartialDocument>(IUpdateRequest<TDocument, TPartialDocument>, CancellationToken) method

Member type changed from Task<IUpdateResponse<TDocument>> to Task<UpdateResponse<TDocument>>.

UpdateByQuery(IUpdateByQueryRequest) method

Member type changed from IUpdateByQueryResponse to UpdateByQueryResponse.

UpdateByQuery<T>(Func<UpdateByQueryDescriptor<T>, IUpdateByQueryRequest>) method

deleted

UpdateByQuery<TDocument>(Func<UpdateByQueryDescriptor<TDocument>, IUpdateByQueryRequest>) method

added

UpdateByQueryAsync(IUpdateByQueryRequest, CancellationToken) method

Member type changed from Task<IUpdateByQueryResponse> to Task<UpdateByQueryResponse>.

UpdateByQueryAsync<T>(Func<UpdateByQueryDescriptor<T>, IUpdateByQueryRequest>, CancellationToken) method

deleted

UpdateByQueryAsync<TDocument>(Func<UpdateByQueryDescriptor<TDocument>, IUpdateByQueryRequest>, CancellationToken) method

added

UpdateByQueryRethrottle(IUpdateByQueryRethrottleRequest) method

Member type changed from IListTasksResponse to ListTasksResponse.

UpdateByQueryRethrottle(TaskId, Func<UpdateByQueryRethrottleDescriptor, IUpdateByQueryRethrottleRequest>) method

Member type changed from IListTasksResponse to ListTasksResponse.

UpdateByQueryRethrottleAsync(IUpdateByQueryRethrottleRequest, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

UpdateByQueryRethrottleAsync(TaskId, Func<UpdateByQueryRethrottleDescriptor, IUpdateByQueryRethrottleRequest>, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

UpdateDatafeed<T>(Id, Func<UpdateDatafeedDescriptor<T>, IUpdateDatafeedRequest>) method

deleted

UpdateDatafeed(IUpdateDatafeedRequest) method

deleted

UpdateDatafeedAsync<T>(Id, Func<UpdateDatafeedDescriptor<T>, IUpdateDatafeedRequest>, CancellationToken) method

deleted

UpdateDatafeedAsync(IUpdateDatafeedRequest, CancellationToken) method

deleted

UpdateFilter(Id, Func<UpdateFilterDescriptor, IUpdateFilterRequest>) method

deleted

UpdateFilter(IUpdateFilterRequest) method

deleted

UpdateFilterAsync(Id, Func<UpdateFilterDescriptor, IUpdateFilterRequest>, CancellationToken) method

deleted

UpdateFilterAsync(IUpdateFilterRequest, CancellationToken) method

deleted

UpdateIndexSettings(Indices, Func<UpdateIndexSettingsDescriptor, IUpdateIndexSettingsRequest>) method

deleted

UpdateIndexSettings(IUpdateIndexSettingsRequest) method

deleted

UpdateIndexSettingsAsync(Indices, Func<UpdateIndexSettingsDescriptor, IUpdateIndexSettingsRequest>, CancellationToken) method

deleted

UpdateIndexSettingsAsync(IUpdateIndexSettingsRequest, CancellationToken) method

deleted

UpdateJob<T>(Id, Func<UpdateJobDescriptor<T>, IUpdateJobRequest>) method

deleted

UpdateJob(IUpdateJobRequest) method

deleted

UpdateJobAsync<T>(Id, Func<UpdateJobDescriptor<T>, IUpdateJobRequest>, CancellationToken) method

deleted

UpdateJobAsync(IUpdateJobRequest, CancellationToken) method

deleted

UpdateModelSnapshot(Id, Id, Func<UpdateModelSnapshotDescriptor, IUpdateModelSnapshotRequest>) method

deleted

UpdateModelSnapshot(IUpdateModelSnapshotRequest) method

deleted

UpdateModelSnapshotAsync(Id, Id, Func<UpdateModelSnapshotDescriptor, IUpdateModelSnapshotRequest>, CancellationToken) method

deleted

UpdateModelSnapshotAsync(IUpdateModelSnapshotRequest, CancellationToken) method

deleted

Upgrade(Indices, Func<UpgradeDescriptor, IUpgradeRequest>) method

deleted

Upgrade(IUpgradeRequest) method

deleted

UpgradeAsync(Indices, Func<UpgradeDescriptor, IUpgradeRequest>, CancellationToken) method

deleted

UpgradeAsync(IUpgradeRequest, CancellationToken) method

deleted

UpgradeStatus(IUpgradeStatusRequest) method

deleted

UpgradeStatus(Func<UpgradeStatusDescriptor, IUpgradeStatusRequest>) method

deleted

UpgradeStatusAsync(IUpgradeStatusRequest, CancellationToken) method

deleted

UpgradeStatusAsync(Func<UpgradeStatusDescriptor, IUpgradeStatusRequest>, CancellationToken) method

deleted

ValidateDetector(IValidateDetectorRequest) method

deleted

ValidateDetector<T>(Func<ValidateDetectorDescriptor<T>, IValidateDetectorRequest>) method

deleted

ValidateDetectorAsync(IValidateDetectorRequest, CancellationToken) method

deleted

ValidateDetectorAsync<T>(Func<ValidateDetectorDescriptor<T>, IValidateDetectorRequest>, CancellationToken) method

deleted

ValidateJob(IValidateJobRequest) method

deleted

ValidateJob<T>(Func<ValidateJobDescriptor<T>, IValidateJobRequest>) method

deleted

ValidateJobAsync(IValidateJobRequest, CancellationToken) method

deleted

ValidateJobAsync<T>(Func<ValidateJobDescriptor<T>, IValidateJobRequest>, CancellationToken) method

deleted

ValidateQuery(IValidateQueryRequest) method

deleted

ValidateQuery<T>(Func<ValidateQueryDescriptor<T>, IValidateQueryRequest>) method

deleted

ValidateQueryAsync(IValidateQueryRequest, CancellationToken) method

deleted

ValidateQueryAsync<T>(Func<ValidateQueryDescriptor<T>, IValidateQueryRequest>, CancellationToken) method

deleted

VerifyRepository(IVerifyRepositoryRequest) method

deleted

VerifyRepository(Name, Func<VerifyRepositoryDescriptor, IVerifyRepositoryRequest>) method

deleted

VerifyRepositoryAsync(IVerifyRepositoryRequest, CancellationToken) method

deleted

VerifyRepositoryAsync(Name, Func<VerifyRepositoryDescriptor, IVerifyRepositoryRequest>, CancellationToken) method

deleted

WatcherStats(IWatcherStatsRequest) method

deleted

WatcherStats(Func<WatcherStatsDescriptor, IWatcherStatsRequest>) method

deleted

WatcherStatsAsync(IWatcherStatsRequest, CancellationToken) method

deleted

WatcherStatsAsync(Func<WatcherStatsDescriptor, IWatcherStatsRequest>, CancellationToken) method

deleted

XPackInfo(IXPackInfoRequest) method

deleted

XPackInfo(Func<XPackInfoDescriptor, IXPackInfoRequest>) method

deleted

XPackInfoAsync(IXPackInfoRequest, CancellationToken) method

deleted

XPackInfoAsync(Func<XPackInfoDescriptor, IXPackInfoRequest>, CancellationToken) method

deleted

XPackUsage(IXPackUsageRequest) method

deleted

XPackUsage(Func<XPackUsageDescriptor, IXPackUsageRequest>) method

deleted

XPackUsageAsync(IXPackUsageRequest, CancellationToken) method

deleted

XPackUsageAsync(Func<XPackUsageDescriptor, IXPackUsageRequest>, CancellationToken) method

deleted

Cat property

added

Cluster property

added

CrossClusterReplication property

added

Graph property

added

IndexLifecycleManagement property

added

Indices property

added

Ingest property

added

License property

added

MachineLearning property

added

Migration property

added

Nodes property

added

Rollup property

added

Security property

added

Snapshot property

added

Sql property

added

Tasks property

added

Watcher property

added

XPack property

added

Nest.ElasticsearchPropertyAttributeBaseedit

AllowPrivate property

added

Order property

added

Nest.ElasticsearchTypeAttributeedit

RelationName property

added

Nest.ElasticsearchVersionInfoedit

BuildDate property

added

BuildFlavor property

added

BuildHash property

added

BuildSnapshot property

added

BuildType property

added

IsSnapShotBuild property

deleted

MinimumIndexCompatibilityVersion property

added

MinimumWireCompatibilityVersion property

added

Nest.EnableUserDescriptoredit

EnableUserDescriptor() method

Member is less visible.

Username(Name) method

deleted

Nest.EnableUserRequestedit

EnableUserRequest() method

added

Nest.EnvelopeGeoShapeedit

EnvelopeGeoShape() method

Member is less visible.

Nest.ExecuteWatchDescriptoredit

ExecuteWatchDescriptor(Id) method

added

Watch(Func<PutWatchDescriptor, IPutWatchRequest>) method

deleted

Watch(Func<WatchDescriptor, IWatch>) method

added

Nest.ExecuteWatchRequestedit

Nest.ExecuteWatchResponseedit

Id property getter

changed to non-virtual.

Id property setter

changed to non-virtual.

WatchRecord property getter

changed to non-virtual.

WatchRecord property setter

changed to non-virtual.

Nest.ExecutionResultActionedit

HipChat property

deleted

Nest.ExistsQueryDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ExistsResponseedit

Exists property getter

changed to non-virtual.

Nest.ExplainDescriptor<TDocument>edit

ExplainDescriptor() method

added

ExplainDescriptor(DocumentPath<TDocument>) method

deleted

ExplainDescriptor(Id) method

added

ExplainDescriptor(IndexName, Id) method

added

ExplainDescriptor(IndexName, TypeName, Id) method

deleted

ExplainDescriptor(TDocument, IndexName, Id) method

added

AnalyzeWildcard(Nullable<Boolean>) method

Parameter name changed from analyzeWildcard to analyzewildcard.

DefaultOperator(Nullable<DefaultOperator>) method

Parameter name changed from defaultOperator to defaultoperator.

Parent(String) method

deleted

QueryOnQueryString(String) method

Parameter name changed from queryOnQueryString to queryonquerystring.

SourceEnabled(Nullable<Boolean>) method

Parameter name changed from sourceEnabled to sourceenabled.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<TDocument, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<TDocument, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Nest.ExplainLifecycleDescriptoredit

ExplainLifecycleDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.ExplainLifecycleRequestedit

ExplainLifecycleRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.ExplainLifecycleResponseedit

Indices property getter

changed to non-virtual.

Nest.ExplainRequestedit

type

added

Nest.ExplainRequest<TDocument>edit

ExplainRequest() method

added

ExplainRequest(DocumentPath<TDocument>, IndexName, TypeName, Id) method

deleted

ExplainRequest(Id) method

added

ExplainRequest(IndexName, Id) method

added

ExplainRequest(IndexName, TypeName, Id) method

deleted

ExplainRequest(TDocument, IndexName, Id) method

added

Analyzer property

deleted

AnalyzeWildcard property

deleted

DefaultOperator property

deleted

Df property

deleted

Lenient property

deleted

Parent property

deleted

Preference property

deleted

Query property

deleted

QueryOnQueryString property

deleted

Routing property

deleted

Self property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

StoredFields property

deleted

TypedSelf property

added

Nest.ExplainResponse<TDocument>edit

Explanation property getter

changed to non-virtual.

Matched property getter

changed to non-virtual.

Nest.ExpressionExtensionsedit

AppendSuffix<T, TValue>(Expression<Func<T, TValue>>, String) method

added

Nest.ExtendedStatsAggregateedit

Average property

deleted

Count property

deleted

Max property

deleted

Min property

deleted

Sum property

deleted

Nest.Fieldedit

Field(Expression, Nullable<Double>) method

deleted

Field(PropertyInfo, Nullable<Double>) method

deleted

Field(String, Nullable<Double>) method

deleted

And<T>(Expression<Func<T, Object>>, Nullable<Double>) method

deleted

And<T, TValue>(Expression<Func<T, TValue>>, Nullable<Double>, String) method

added

And(PropertyInfo, Nullable<Double>) method

deleted

And(String, Nullable<Double>) method

deleted

Nest.FieldAliasPropertyDescriptor<T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Nest.FieldCapabilitiesDescriptoredit

FieldCapabilitiesDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Nest.FieldCapabilitiesResponseedit

Fields property getter

changed to non-virtual.

Shards property

deleted

Nest.FieldCollapseDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.FielddataStatsedit

MemorySize property

deleted

Nest.FieldIndexOptionedit

type

deleted

Nest.FieldLookupedit

Type property

deleted

Nest.FieldLookupDescriptor<T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Type(TypeName) method

deleted

Nest.FieldMappingPropertiesedit

type

deleted

Nest.FieldNameQueryDescriptorBase<TDescriptor, TInterface, T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.Fieldsedit

And<T>(Expression<Func<T, Object>>, Nullable<Double>) method

deleted

And<T>(Expression<Func<T, Object>>, Nullable<Double>, String) method

deleted

And<T, TValue>(Expression<Func<T, TValue>>, Nullable<Double>, String) method

added

And(PropertyInfo, Nullable<Double>, String) method

deleted

And(String, Nullable<Double>) method

deleted

Nest.FieldsDescriptor<T>edit

Field(Expression<Func<T, Object>>, Nullable<Double>) method

deleted

Field(Expression<Func<T, Object>>, Nullable<Double>, String) method

deleted

Field<TValue>(Expression<Func<T, TValue>>, Nullable<Double>, String) method

added

Field(String, Nullable<Double>) method

deleted

Nest.FieldSortedit

type

added

Nest.FieldSortDescriptor<T>edit

type

added

Nest.FieldTypesedit

ParentJoin property

added

Nest.FieldValueFactorFunctionDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.FiltersAggregationedit

Nest.FlushDescriptoredit

FlushDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

WaitIfOngoing(Nullable<Boolean>) method

Parameter name changed from waitIfOngoing to waitifongoing.

Nest.FlushJobDescriptoredit

FlushJobDescriptor() method

added

FlushJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

SkipTime(String) method

Parameter name changed from skipTime to skiptime.

Nest.FlushJobRequestedit

FlushJobRequest() method

added

FlushJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.FlushJobResponseedit

Flushed property getter

changed to non-virtual.

Nest.FollowIndexStatsDescriptoredit

FollowIndexStatsDescriptor() method

Member is less visible.

FollowIndexStatsDescriptor(Indices) method

added

Nest.FollowIndexStatsRequestedit

FollowIndexStatsRequest() method

added

Nest.FollowIndexStatsResponseedit

Indices property getter

changed to non-virtual.

Nest.ForceMergeDescriptoredit

ForceMergeDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MaxNumSegments(Nullable<Int64>) method

Parameter name changed from maxNumSegments to maxnumsegments.

OnlyExpungeDeletes(Nullable<Boolean>) method

Parameter name changed from onlyExpungeDeletes to onlyexpungedeletes.

OperationThreading(String) method

deleted

WaitForMerge(Nullable<Boolean>) method

deleted

Nest.ForceMergeRequestedit

OperationThreading property

deleted

WaitForMerge property

deleted

Nest.ForeachProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ForecastIdsedit

type

deleted

Nest.ForecastJobDescriptoredit

ForecastJobDescriptor() method

added

ForecastJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.ForecastJobRequestedit

ForecastJobRequest() method

added

ForecastJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.ForecastJobResponseedit

ForecastId property getter

changed to non-virtual.

Nest.FuzzySuggestDescriptor<T>edit

type

deleted

Nest.FuzzySuggesteredit

type

deleted

Nest.GenericPropertyedit

Index property getter

Index property setter

Indexed property

deleted

Nest.GenericPropertyDescriptor<T>edit

Index(Nullable<FieldIndexOption>) method

deleted

NotAnalyzed() method

deleted

Nest.GeoDistanceAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.GeoDistanceSortedit

GeoUnit property

deleted

Unit property

added

Nest.GeoDistanceSortDescriptor<T>edit

type

added

Nest.GeoHashGridAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.GeoIndexedShapeQueryedit

type

deleted

Nest.GeoIndexedShapeQueryDescriptor<T>edit

type

deleted

Nest.GeoIpProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.GeometryCollectionedit

GeometryCollection() method

Member is less visible.

GeometryCollection(IEnumerable<IGeoShape>) method

added

IgnoreUnmapped property

deleted

Type property

deleted

Nest.GeoShapeAttributeedit

DistanceErrorPercentage property

deleted

PointsOnly property

deleted

Tree property

deleted

TreeLevels property

deleted

Nest.GeoShapeBaseedit

IgnoreUnmapped property

deleted

Nest.GeoShapeCircleQueryedit

type

deleted

Nest.GeoShapeCircleQueryDescriptor<T>edit

type

deleted

Nest.GeoShapeDescriptoredit

type

added

Nest.GeoShapeEnvelopeQueryedit

type

deleted

Nest.GeoShapeEnvelopeQueryDescriptor<T>edit

type

deleted

Nest.GeoShapeGeometryCollectionQueryedit

type

deleted

Nest.GeoShapeGeometryCollectionQueryDescriptor<T>edit

type

deleted

Nest.GeoShapeLineStringQueryedit

type

deleted

Nest.GeoShapeLineStringQueryDescriptor<T>edit

type

deleted

Nest.GeoShapeMultiLineStringQueryedit

type

deleted

Nest.GeoShapeMultiLineStringQueryDescriptor<T>edit

type

deleted

Nest.GeoShapeMultiPointQueryedit

type

deleted

Nest.GeoShapeMultiPointQueryDescriptor<T>edit

type

deleted

Nest.GeoShapeMultiPolygonQueryedit

type

deleted

Nest.GeoShapeMultiPolygonQueryDescriptor<T>edit

type

deleted

Nest.GeoShapePointQueryedit

type

deleted

Nest.GeoShapePointQueryDescriptor<T>edit

type

deleted

Nest.GeoShapePolygonQueryedit

type

deleted

Nest.GeoShapePolygonQueryDescriptor<T>edit

type

deleted

Nest.GeoShapePropertyedit

DistanceErrorPercentage property

deleted

PointsOnly property

deleted

Precision property

deleted

Tree property

deleted

TreeLevels property

deleted

Nest.GeoShapePropertyDescriptor<T>edit

DistanceErrorPercentage(Nullable<Double>) method

deleted

PointsOnly(Nullable<Boolean>) method

deleted

Precision(Double, DistanceUnit) method

deleted

Tree(Nullable<GeoTree>) method

deleted

TreeLevels(Nullable<Int32>) method

deleted

Nest.GeoShapeQueryedit

type

added

Nest.GeoShapeQueryBaseedit

type

deleted

Nest.GeoShapeQueryDescriptor<T>edit

type

added

Nest.GeoShapeQueryDescriptorBase<TDescriptor, TInterface, T>edit

type

deleted

Nest.GeoWKTWriteredit

Write(IGeometryCollection) method

deleted

Nest.GetAliasDescriptoredit

GetAliasDescriptor(Indices) method

added

GetAliasDescriptor(Indices, Names) method

added

GetAliasDescriptor(Names) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Nest.GetAliasResponseedit

Indices property getter

changed to non-virtual.

Nest.GetAnomalyRecordsDescriptoredit

GetAnomalyRecordsDescriptor() method

Member is less visible.

GetAnomalyRecordsDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.GetAnomalyRecordsRequestedit

GetAnomalyRecordsRequest() method

added

GetAnomalyRecordsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetAnomalyRecordsResponseedit

Count property getter

changed to non-virtual.

Records property getter

changed to non-virtual.

Nest.GetApiKeyDescriptoredit

RealmName(String) method

Parameter name changed from realmName to realmname.

Nest.GetApiKeyResponseedit

ApiKeys property getter

changed to non-virtual.

Nest.GetAutoFollowPatternDescriptoredit

GetAutoFollowPatternDescriptor(Name) method

added

Nest.GetAutoFollowPatternResponseedit

Patterns property getter

changed to non-virtual.

Nest.GetBasicLicenseStatusResponseedit

EligableToStartBasic property getter

changed to non-virtual.

Nest.GetBucketsDescriptoredit

GetBucketsDescriptor() method

added

GetBucketsDescriptor(Id) method

Parameter name changed from job_id to jobId.

GetBucketsDescriptor(Id, Timestamp) method

added

Timestamp(Timestamp) method

added

Timestamp(Nullable<DateTimeOffset>) method

deleted

Nest.GetBucketsRequestedit

GetBucketsRequest() method

added

GetBucketsRequest(Id) method

Parameter name changed from job_id to jobId.

GetBucketsRequest(Id, Timestamp) method

added

Timestamp property

deleted

Nest.GetBucketsResponseedit

Buckets property getter

changed to non-virtual.

Count property getter

changed to non-virtual.

Nest.GetCalendarEventsDescriptoredit

GetCalendarEventsDescriptor() method

added

GetCalendarEventsDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

JobId(String) method

Parameter name changed from jobId to jobid.

Nest.GetCalendarEventsRequestedit

GetCalendarEventsRequest() method

added

GetCalendarEventsRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.GetCalendarEventsResponseedit

Count property getter

changed to non-virtual.

Events property getter

changed to non-virtual.

Nest.GetCalendarsDescriptoredit

GetCalendarsDescriptor(Id) method

added

Nest.GetCalendarsRequestedit

GetCalendarsRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.GetCalendarsResponseedit

Calendars property getter

changed to non-virtual.

Count property getter

changed to non-virtual.

Nest.GetCategoriesDescriptoredit

GetCategoriesDescriptor() method

added

GetCategoriesDescriptor(Id) method

Parameter name changed from job_id to jobId.

GetCategoriesDescriptor(Id, LongId) method

added

CategoryId(CategoryId) method

deleted

CategoryId(LongId) method

added

Nest.GetCategoriesRequestedit

GetCategoriesRequest() method

added

GetCategoriesRequest(Id) method

Parameter name changed from job_id to jobId.

GetCategoriesRequest(Id, CategoryId) method

deleted

GetCategoriesRequest(Id, LongId) method

added

Nest.GetCategoriesResponseedit

Categories property getter

changed to non-virtual.

Count property getter

changed to non-virtual.

Nest.GetCertificatesDescriptoredit

RequestDefaults(GetCertificatesRequestParameters) method

added

Nest.GetCertificatesRequestedit

RequestDefaults(GetCertificatesRequestParameters) method

added

Nest.GetCertificatesResponseedit

Certificates property getter

changed to non-virtual.

Nest.GetDatafeedsDescriptoredit

GetDatafeedsDescriptor(Id) method

added

AllowNoDatafeeds(Nullable<Boolean>) method

Parameter name changed from allowNoDatafeeds to allownodatafeeds.

Nest.GetDatafeedsRequestedit

GetDatafeedsRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.GetDatafeedsResponseedit

Count property getter

changed to non-virtual.

Datafeeds property getter

changed to non-virtual.

Nest.GetDatafeedStatsDescriptoredit

GetDatafeedStatsDescriptor(Id) method

added

AllowNoDatafeeds(Nullable<Boolean>) method

Parameter name changed from allowNoDatafeeds to allownodatafeeds.

Nest.GetDatafeedStatsRequestedit

GetDatafeedStatsRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.GetDatafeedStatsResponseedit

Count property getter

changed to non-virtual.

Datafeeds property getter

changed to non-virtual.

Nest.GetDescriptor<TDocument>edit

GetDescriptor() method

added

GetDescriptor(DocumentPath<T>) method

deleted

GetDescriptor(Id) method

added

GetDescriptor(IndexName, Id) method

added

GetDescriptor(IndexName, TypeName, Id) method

deleted

GetDescriptor(TDocument, IndexName, Id) method

added

ExecuteOnLocalShard() method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

ExecuteOnPrimary() method

deleted

Index<TOther>() method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

Index(IndexName) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

Parent(String) method

deleted

Preference(String) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

Realtime(Nullable<Boolean>) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

Refresh(Nullable<Boolean>) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

Routing(Routing) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

SourceEnabled(Nullable<Boolean>) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

StoredFields(Fields) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

StoredFields(Expression<Func<T, Object>>[]) method

deleted

StoredFields(Expression<Func<TDocument, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Version(Nullable<Int64>) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

VersionType(Nullable<VersionType>) method

Member type changed from GetDescriptor<T> to GetDescriptor<TDocument>.

Nest.GetFieldMappingDescriptor<TDocument>edit

GetFieldMappingDescriptor() method

added

GetFieldMappingDescriptor(Indices, Fields) method

added

AllIndices() method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

AllTypes() method

deleted

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

IncludeDefaults(Nullable<Boolean>) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

IncludeTypeName(Nullable<Boolean>) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

Index<TOther>() method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

Index(Indices) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

Local(Nullable<Boolean>) method

Member type changed from GetFieldMappingDescriptor<T> to GetFieldMappingDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Nest.GetFieldMappingRequestedit

GetFieldMappingRequest() method

added

GetFieldMappingRequest(Indices, Types, Fields) method

deleted

GetFieldMappingRequest(Types, Fields) method

deleted

Nest.GetFieldMappingResponseedit

GetMapping(IndexName, Field) method

added

GetMapping(IndexName, TypeName, Field) method

deleted

MappingFor<T>(Field) method

added

MappingFor<T>(Field, IndexName) method

added

MappingFor<T>(Field, IndexName, TypeName) method

deleted

MappingFor<T>(Expression<Func<T, Object>>, IndexName) method

added

MappingFor<T>(Expression<Func<T, Object>>, IndexName, TypeName) method

deleted

MappingFor<T, TValue>(Expression<Func<T, TValue>>, IndexName) method

added

Indices property getter

changed to non-virtual.

Nest.GetFiltersDescriptoredit

GetFiltersDescriptor(Id) method

added

Nest.GetFiltersRequestedit

GetFiltersRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.GetFiltersResponseedit

Count property getter

changed to non-virtual.

Filters property getter

changed to non-virtual.

Nest.GetIlmStatusDescriptoredit

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.GetIlmStatusRequestedit

MasterTimeout property

deleted

Timeout property

deleted

Nest.GetIlmStatusResponseedit

OperationMode property getter

changed to non-virtual.

Nest.GetIndexDescriptoredit

GetIndexDescriptor() method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

IncludeDefaults(Nullable<Boolean>) method

Parameter name changed from includeDefaults to includedefaults.

IncludeTypeName(Nullable<Boolean>) method

Parameter name changed from includeTypeName to includetypename.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetIndexRequestedit

GetIndexRequest() method

added

Nest.GetIndexResponseedit

Indices property getter

changed to non-virtual.

Nest.GetIndexSettingsDescriptoredit

GetIndexSettingsDescriptor(Indices) method

added

GetIndexSettingsDescriptor(Indices, Names) method

added

GetIndexSettingsDescriptor(Names) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

IncludeDefaults(Nullable<Boolean>) method

Parameter name changed from includeDefaults to includedefaults.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetIndexSettingsResponseedit

Indices property getter

changed to non-virtual.

Nest.GetIndexTemplateDescriptoredit

GetIndexTemplateDescriptor(Names) method

added

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IncludeTypeName(Nullable<Boolean>) method

Parameter name changed from includeTypeName to includetypename.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetIndexTemplateResponseedit

TemplateMappings property getter

changed to non-virtual.

Nest.GetInfluencersDescriptoredit

GetInfluencersDescriptor() method

Member is less visible.

GetInfluencersDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.GetInfluencersRequestedit

GetInfluencersRequest() method

added

GetInfluencersRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetInfluencersResponseedit

Count property getter

changed to non-virtual.

Influencers property getter

changed to non-virtual.

Nest.GetJobsDescriptoredit

GetJobsDescriptor(Id) method

added

AllowNoJobs(Nullable<Boolean>) method

Parameter name changed from allowNoJobs to allownojobs.

Nest.GetJobsRequestedit

GetJobsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetJobsResponseedit

Count property getter

changed to non-virtual.

Jobs property getter

changed to non-virtual.

Nest.GetJobStatsDescriptoredit

GetJobStatsDescriptor(Id) method

added

AllowNoJobs(Nullable<Boolean>) method

Parameter name changed from allowNoJobs to allownojobs.

Nest.GetJobStatsRequestedit

GetJobStatsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetJobStatsResponseedit

Count property getter

changed to non-virtual.

Jobs property getter

changed to non-virtual.

Nest.GetLicenseResponseedit

License property getter

changed to non-virtual.

Nest.GetLifecycleDescriptoredit

GetLifecycleDescriptor(Id) method

added

MasterTimeout(Time) method

deleted

PolicyId(Id) method

added

PolicyId(PolicyId) method

deleted

Timeout(Time) method

deleted

Nest.GetLifecycleRequestedit

GetLifecycleRequest(Id) method

added

GetLifecycleRequest(PolicyId) method

deleted

MasterTimeout property

deleted

Timeout property

deleted

Nest.GetLifecycleResponseedit

Policies property getter

changed to non-virtual.

Nest.GetManyExtensionsedit

GetMany<T>(IElasticClient, IEnumerable<Int64>, IndexName) method

added

GetMany<T>(IElasticClient, IEnumerable<Int64>, IndexName, TypeName) method

deleted

GetMany<T>(IElasticClient, IEnumerable<String>, IndexName) method

added

GetMany<T>(IElasticClient, IEnumerable<String>, IndexName, TypeName) method

deleted

GetManyAsync<T>(IElasticClient, IEnumerable<Int64>, IndexName, TypeName, CancellationToken) method

deleted

GetManyAsync<T>(IElasticClient, IEnumerable<Int64>, IndexName, CancellationToken) method

added

GetManyAsync<T>(IElasticClient, IEnumerable<String>, IndexName, TypeName, CancellationToken) method

deleted

GetManyAsync<T>(IElasticClient, IEnumerable<String>, IndexName, CancellationToken) method

added

Nest.GetMappingDescriptor<TDocument>edit

GetMappingDescriptor(Indices) method

added

AllIndices() method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

AllTypes() method

deleted

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

IncludeTypeName(Nullable<Boolean>) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

Index<TOther>() method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

Index(Indices) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

Local(Nullable<Boolean>) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

MasterTimeout(Time) method

Member type changed from GetMappingDescriptor<T> to GetMappingDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Nest.GetMappingRequestedit

GetMappingRequest(Indices, Types) method

deleted

GetMappingRequest(Types) method

deleted

Nest.GetMappingResponseedit

Accept(IMappingVisitor) method

Method changed to non-virtual.

Indices property getter

changed to non-virtual.

Mapping property

deleted

Mappings property

deleted

Nest.GetMappingResponseExtensionsedit

GetMappingFor<T>(GetMappingResponse) method

added

GetMappingFor(GetMappingResponse, IndexName) method

added

GetMappingFor<T>(IGetMappingResponse) method

deleted

GetMappingFor(IGetMappingResponse, IndexName) method

deleted

GetMappingFor(IGetMappingResponse, IndexName, TypeName) method

deleted

Nest.GetModelSnapshotsDescriptoredit

GetModelSnapshotsDescriptor() method

added

GetModelSnapshotsDescriptor(Id) method

Parameter name changed from job_id to jobId.

GetModelSnapshotsDescriptor(Id, Id) method

added

Nest.GetModelSnapshotsRequestedit

GetModelSnapshotsRequest() method

added

GetModelSnapshotsRequest(Id) method

Parameter name changed from job_id to jobId.

GetModelSnapshotsRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.GetModelSnapshotsResponseedit

Count property getter

changed to non-virtual.

ModelSnapshots property getter

changed to non-virtual.

Nest.GetOverallBucketsDescriptoredit

GetOverallBucketsDescriptor() method

added

GetOverallBucketsDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.GetOverallBucketsRequestedit

GetOverallBucketsRequest() method

added

GetOverallBucketsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetOverallBucketsResponseedit

Count property getter

changed to non-virtual.

OverallBuckets property getter

changed to non-virtual.

Nest.GetPipelineDescriptoredit

GetPipelineDescriptor(Id) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetPipelineResponseedit

Pipelines property getter

changed to non-virtual.

Nest.GetPrivilegesDescriptoredit

GetPrivilegesDescriptor(Name) method

added

GetPrivilegesDescriptor(Name, Name) method

added

Nest.GetPrivilegesResponseedit

Applications property getter

changed to non-virtual.

Nest.GetRepositoryDescriptoredit

GetRepositoryDescriptor(Names) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetRepositoryResponseedit

Azure(String) method

Method changed to non-virtual.

FileSystem(String) method

Method changed to non-virtual.

Hdfs(String) method

Method changed to non-virtual.

ReadOnlyUrl(String) method

Method changed to non-virtual.

S3(String) method

Method changed to non-virtual.

Repositories property getter

changed to non-virtual.

Nest.GetRequestedit

GetRequest() method

added

GetRequest(IndexName, Id) method

added

GetRequest(IndexName, TypeName, Id) method

deleted

Parent property

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.GetRequest<TDocument>edit

GetRequest() method

added

GetRequest(DocumentPath<T>, IndexName, TypeName, Id) method

deleted

GetRequest(Id) method

added

GetRequest(IndexName, Id) method

added

GetRequest(IndexName, TypeName, Id) method

deleted

GetRequest(TDocument, IndexName, Id) method

added

Parent property

deleted

Preference property

deleted

Realtime property

deleted

Refresh property

deleted

Routing property

deleted

Self property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

StoredFields property

deleted

TypedSelf property

added

Version property

deleted

VersionType property

deleted

Nest.GetResponse<TDocument>edit

Fields property getter

changed to non-virtual.

Found property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Index property getter

changed to non-virtual.

Parent property

deleted

PrimaryTerm property getter

changed to non-virtual.

Routing property getter

changed to non-virtual.

SequenceNumber property getter

changed to non-virtual.

Type property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.GetRoleDescriptoredit

GetRoleDescriptor(Name) method

added

Nest.GetRoleMappingDescriptoredit

GetRoleMappingDescriptor(Name) method

added

Nest.GetRoleMappingResponseedit

RoleMappings property getter

changed to non-virtual.

Nest.GetRoleResponseedit

Roles property getter

changed to non-virtual.

Nest.GetRollupCapabilitiesDescriptoredit

GetRollupCapabilitiesDescriptor(Id) method

added

AllIndices() method

deleted

Id(Id) method

added

Index<TOther>() method

deleted

Index(Indices) method

deleted

Nest.GetRollupCapabilitiesRequestedit

GetRollupCapabilitiesRequest(Id) method

added

GetRollupCapabilitiesRequest(Indices) method

deleted

Nest.GetRollupCapabilitiesResponseedit

Indices property getter

changed to non-virtual.

Nest.GetRollupIndexCapabilitiesDescriptoredit

GetRollupIndexCapabilitiesDescriptor() method

added

Nest.GetRollupIndexCapabilitiesRequestedit

GetRollupIndexCapabilitiesRequest() method

added

Nest.GetRollupIndexCapabilitiesResponseedit

Indices property getter

changed to non-virtual.

Nest.GetRollupJobDescriptoredit

GetRollupJobDescriptor(Id) method

added

Nest.GetRollupJobResponseedit

Jobs property getter

changed to non-virtual.

Nest.GetScriptDescriptoredit

GetScriptDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetScriptRequestedit

GetScriptRequest() method

added

Nest.GetScriptResponseedit

Script property getter

changed to non-virtual.

Nest.GetSnapshotDescriptoredit

GetSnapshotDescriptor() method

added

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetSnapshotRequestedit

GetSnapshotRequest() method

added

Nest.GetSnapshotResponseedit

Snapshots property getter

changed to non-virtual.

Nest.GetTaskDescriptoredit

GetTaskDescriptor() method

Member is less visible.

GetTaskDescriptor(TaskId) method

Parameter name changed from task_id to taskId.

TaskId(TaskId) method

deleted

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.GetTaskRequestedit

GetTaskRequest() method

added

GetTaskRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.GetTaskResponseedit

Completed property getter

changed to non-virtual.

Task property getter

changed to non-virtual.

Nest.GetTrialLicenseStatusResponseedit

EligibleToStartTrial property getter

changed to non-virtual.

Nest.GetUserAccessTokenResponseedit

AccessToken property getter

changed to non-virtual.

AccessToken property setter

changed to non-virtual.

ExpiresIn property getter

changed to non-virtual.

ExpiresIn property setter

changed to non-virtual.

Scope property getter

changed to non-virtual.

Scope property setter

changed to non-virtual.

Type property getter

changed to non-virtual.

Type property setter

changed to non-virtual.

Nest.GetUserDescriptoredit

GetUserDescriptor(Names) method

added

Nest.GetUserPrivilegesResponseedit

Applications property getter

changed to non-virtual.

Cluster property getter

changed to non-virtual.

Global property getter

changed to non-virtual.

Indices property getter

changed to non-virtual.

RunAs property getter

changed to non-virtual.

Nest.GetUserResponseedit

Users property getter

changed to non-virtual.

Nest.GetWatchDescriptoredit

GetWatchDescriptor() method

added

Nest.GetWatchRequestedit

GetWatchRequest() method

added

Nest.GetWatchResponseedit

Found property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Status property getter

changed to non-virtual.

Watch property getter

changed to non-virtual.

Nest.GraphExploreControlsDescriptor<T>edit

SamleDiversity(Field, Nullable<Int32>) method

deleted

SamleDiversity(Expression<Func<T, Object>>, Nullable<Int32>) method

deleted

SampleDiversity(Field, Nullable<Int32>) method

added

SampleDiversity<TValue>(Expression<Func<T, TValue>>, Nullable<Int32>) method

added

Nest.GraphExploreDescriptor<TDocument>edit

AllIndices() method

Member type changed from GraphExploreDescriptor<T> to GraphExploreDescriptor<TDocument>.

AllTypes() method

deleted

Connections(Func<HopDescriptor<T>, IHop>) method

deleted

Connections(Func<HopDescriptor<TDocument>, IHop>) method

added

Controls(Func<GraphExploreControlsDescriptor<T>, IGraphExploreControls>) method

deleted

Controls(Func<GraphExploreControlsDescriptor<TDocument>, IGraphExploreControls>) method

added

Index<TOther>() method

Member type changed from GraphExploreDescriptor<T> to GraphExploreDescriptor<TDocument>.

Index(Indices) method

Member type changed from GraphExploreDescriptor<T> to GraphExploreDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

Routing(Routing) method

Member type changed from GraphExploreDescriptor<T> to GraphExploreDescriptor<TDocument>.

Timeout(Time) method

Member type changed from GraphExploreDescriptor<T> to GraphExploreDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Vertices(Func<GraphVerticesDescriptor<T>, IPromise<IList<IGraphVertexDefinition>>>) method

deleted

Vertices(Func<GraphVerticesDescriptor<TDocument>, IPromise<IList<IGraphVertexDefinition>>>) method

added

Nest.GraphExploreRequestedit

GraphExploreRequest() method

added

GraphExploreRequest(Indices, Types) method

deleted

Nest.GraphExploreRequest<TDocument>edit

GraphExploreRequest(Indices, Types) method

deleted

Connections property

deleted

Controls property

deleted

Query property

deleted

Routing property

deleted

Self property

deleted

Timeout property

deleted

TypedSelf property

added

Vertices property

deleted

Nest.GraphExploreResponseedit

Connections property getter

changed to non-virtual.

Failures property getter

changed to non-virtual.

TimedOut property getter

changed to non-virtual.

Took property getter

changed to non-virtual.

Vertices property getter

changed to non-virtual.

Nest.GraphVerticesDescriptor<T>edit

Vertex(Expression<Func<T, Object>>, Func<GraphVertexDefinitionDescriptor, IGraphVertexDefinition>) method

deleted

Vertex<TValue>(Expression<Func<T, TValue>>, Func<GraphVertexDefinitionDescriptor, IGraphVertexDefinition>) method

added

Nest.GrokProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.GrokProcessorPatternsResponseedit

Patterns property getter

changed to non-virtual.

Nest.GsubProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.HasChildQueryedit

Nest.HasParentQueryedit

Nest.HasPrivilegesDescriptoredit

HasPrivilegesDescriptor(Name) method

added

Nest.HasPrivilegesResponseedit

Applications property getter

changed to non-virtual.

Clusters property getter

changed to non-virtual.

HasAllRequested property getter

changed to non-virtual.

Indices property getter

changed to non-virtual.

Username property getter

changed to non-virtual.

Nest.HighlightDescriptor<T>edit

BoundaryCharacters(String) method

deleted

BoundaryChars(String) method

added

PostTags(String) method

deleted

PostTags(String[]) method

added

PreTags(String) method

deleted

PreTags(String[]) method

added

Nest.HighlightFieldDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.HighlightFieldDictionaryedit

type

deleted

Nest.HighlightHitedit

type

deleted

Nest.HipChatActionedit

type

deleted

Nest.HipChatActionDescriptoredit

type

deleted

Nest.HipChatActionMessageResultedit

type

deleted

Nest.HipChatActionResultedit

type

deleted

Nest.HipChatMessageedit

type

deleted

Nest.HipChatMessageColoredit

type

deleted

Nest.HipChatMessageDescriptoredit

type

deleted

Nest.HipChatMessageFormatedit

type

deleted

Nest.HistogramAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.HistogramOrderedit

Key property getter

changed to virtual.

Key property setter

changed to virtual.

Order property getter

changed to virtual.

Order property setter

changed to virtual.

Nest.Hit<TDocument>edit

Highlight property

added

Highlights property

deleted

Nested property getter

changed to virtual.

Parent property

deleted

PrimaryTerm property

added

SequenceNumber property

added

Nest.HitsMetadata<T>edit

Hits property getter

changed to virtual.

MaxScore property getter

changed to virtual.

Total property getter

changed to virtual.

Nest.IAcknowledgedResponseedit

type

deleted

Nest.IAcknowledgeWatchRequestedit

Nest.IAcknowledgeWatchResponseedit

type

deleted

Nest.IActivateWatchResponseedit

type

deleted

Nest.IAnalyzeResponseedit

type

deleted

Nest.IAuthenticateResponseedit

type

deleted

Nest.IBoolQueryedit

ShouldSerializeFilter() method

added

ShouldSerializeMust() method

added

ShouldSerializeMustNot() method

added

ShouldSerializeShould() method

added

Nest.IBulkAliasResponseedit

type

deleted

Nest.IBulkAllRequest<T>edit

Refresh property

deleted

Type property

deleted

Nest.IBulkAllResponseedit

type

deleted

Nest.IBulkDeleteOperation<T>edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.IBulkIndexOperation<T>edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.IBulkOperationedit

Parent property

deleted

Type property

deleted

Nest.IBulkRequestedit

Type property

deleted

Nest.IBulkResponseedit

type

deleted

Nest.IBulkResponseItemedit

type

deleted

Nest.ICancelTasksResponseedit

type

deleted

Nest.ICatResponse<out TCatRecord>edit

type

deleted

Nest.ICcrStatsResponseedit

type

deleted

Nest.IChangePasswordResponseedit

type

deleted

Nest.IClassicSimilarityedit

type

deleted

Nest.IClearCachedRealmsResponseedit

type

deleted

Nest.IClearCachedRolesResponseedit

type

deleted

Nest.IClearCacheResponseedit

type

deleted

Nest.IClearScrollResponseedit

type

deleted

Nest.IClearSqlCursorResponseedit

type

deleted

Nest.ICloseIndexResponseedit

type

deleted

Nest.ICloseJobResponseedit

type

deleted

Nest.IClrTypeMappingedit

TypeName property

deleted

Nest.IClusterAllocationExplainResponseedit

type

deleted

Nest.IClusterGetSettingsResponseedit

type

deleted

Nest.IClusterHealthResponseedit

type

deleted

Nest.IClusterPendingTasksResponseedit

type

deleted

Nest.IClusterPutSettingsResponseedit

type

deleted

Nest.IClusterRerouteResponseedit

type

deleted

Nest.IClusterStateResponseedit

type

deleted

Nest.IClusterStatsResponseedit

type

deleted

Nest.ICompletionSuggesteredit

Nest.ICompositeAggregationedit

Nest.ICompositeAggregationSourceedit

Missing property

deleted

Nest.IConnectionSettingsValuesedit

DefaultTypeName property

deleted

DefaultTypeNameInferrer property

deleted

DefaultTypeNames property

deleted

Nest.ICorePropertyedit

Nest.ICountRequestedit

Type property

deleted

Nest.ICountResponseedit

type

deleted

Nest.ICovariantSearchRequestedit

type

deleted

Nest.ICreateApiKeyResponseedit

type

deleted

Nest.ICreateAutoFollowPatternResponseedit

type

deleted

Nest.ICreateFollowIndexResponseedit

type

deleted

Nest.ICreateIndexResponseedit

type

deleted

Nest.ICreateRepositoryResponseedit

type

deleted

Nest.ICreateRequest<TDocument>edit

Type property

deleted

Nest.ICreateResponseedit

type

deleted

Nest.ICreateRollupJobResponseedit

type

deleted

Nest.IDateHistogramCompositeAggregationSourceedit

Timezone property

deleted

TimeZone property

added

Nest.IDateProcessoredit

Timezone property

deleted

TimeZone property

added

Nest.IDeactivateWatchResponseedit

type

deleted

Nest.IDeleteAliasResponseedit

type

deleted

Nest.IDeleteAutoFollowPatternResponseedit

type

deleted

Nest.IDeleteByQueryRequestedit

Type property

deleted

Nest.IDeleteByQueryResponseedit

type

deleted

Nest.IDeleteCalendarEventResponseedit

type

deleted

Nest.IDeleteCalendarJobResponseedit

type

deleted

Nest.IDeleteCalendarResponseedit

type

deleted

Nest.IDeleteDatafeedResponseedit

type

deleted

Nest.IDeleteExpiredDataResponseedit

type

deleted

Nest.IDeleteFilterResponseedit

type

deleted

Nest.IDeleteForecastRequestedit

Nest.IDeleteForecastResponseedit

type

deleted

Nest.IDeleteIndexResponseedit

type

deleted

Nest.IDeleteIndexTemplateResponseedit

type

deleted

Nest.IDeleteJobResponseedit

type

deleted

Nest.IDeleteLicenseResponseedit

type

deleted

Nest.IDeleteLifecycleRequestedit

Nest.IDeleteLifecycleResponseedit

type

deleted

Nest.IDeleteModelSnapshotResponseedit

type

deleted

Nest.IDeletePipelineResponseedit

type

deleted

Nest.IDeletePrivilegesResponseedit

type

deleted

Nest.IDeleteRepositoryResponseedit

type

deleted

Nest.IDeleteRequestedit

Type property

deleted

Nest.IDeleteResponseedit

type

deleted

Nest.IDeleteRoleMappingResponseedit

type

deleted

Nest.IDeleteRoleResponseedit

type

deleted

Nest.IDeleteRollupJobResponseedit

type

deleted

Nest.IDeleteScriptResponseedit

type

deleted

Nest.IDeleteSnapshotResponseedit

type

deleted

Nest.IDeleteUserResponseedit

type

deleted

Nest.IDeleteWatchResponseedit

type

deleted

Nest.IDeprecationInfoResponseedit

type

deleted

Nest.IDirectGeneratoredit

Nest.IDisableUserResponseedit

type

deleted

Nest.IDocumentExistsRequestedit

Type property

deleted

Nest.IDocumentPathedit

Type property

deleted

Nest.IDocumentRequestedit

type

added

Nest.Idsedit

type

added

Nest.IdsQueryedit

Types property

deleted

Nest.IdsQueryDescriptoredit

Types(TypeName[]) method

deleted

Types(Types) method

deleted

Types(IEnumerable<TypeName>) method

deleted

Nest.IDynamicResponseedit

type

added

Nest.IElasticClientedit

AcknowledgeWatch(IAcknowledgeWatchRequest) method

deleted

AcknowledgeWatch(Id, Func<AcknowledgeWatchDescriptor, IAcknowledgeWatchRequest>) method

deleted

AcknowledgeWatchAsync(IAcknowledgeWatchRequest, CancellationToken) method

deleted

AcknowledgeWatchAsync(Id, Func<AcknowledgeWatchDescriptor, IAcknowledgeWatchRequest>, CancellationToken) method

deleted

ActivateWatch(IActivateWatchRequest) method

deleted

ActivateWatch(Id, Func<ActivateWatchDescriptor, IActivateWatchRequest>) method

deleted

ActivateWatchAsync(IActivateWatchRequest, CancellationToken) method

deleted

ActivateWatchAsync(Id, Func<ActivateWatchDescriptor, IActivateWatchRequest>, CancellationToken) method

deleted

Alias(IBulkAliasRequest) method

deleted

Alias(Func<BulkAliasDescriptor, IBulkAliasRequest>) method

deleted

AliasAsync(IBulkAliasRequest, CancellationToken) method

deleted

AliasAsync(Func<BulkAliasDescriptor, IBulkAliasRequest>, CancellationToken) method

deleted

AliasExists(IAliasExistsRequest) method

deleted

AliasExists(Names, Func<AliasExistsDescriptor, IAliasExistsRequest>) method

deleted

AliasExists(Func<AliasExistsDescriptor, IAliasExistsRequest>) method

deleted

AliasExistsAsync(IAliasExistsRequest, CancellationToken) method

deleted

AliasExistsAsync(Names, Func<AliasExistsDescriptor, IAliasExistsRequest>, CancellationToken) method

deleted

AliasExistsAsync(Func<AliasExistsDescriptor, IAliasExistsRequest>, CancellationToken) method

deleted

Analyze(IAnalyzeRequest) method

deleted

Analyze(Func<AnalyzeDescriptor, IAnalyzeRequest>) method

deleted

AnalyzeAsync(IAnalyzeRequest, CancellationToken) method

deleted

AnalyzeAsync(Func<AnalyzeDescriptor, IAnalyzeRequest>, CancellationToken) method

deleted

Authenticate(IAuthenticateRequest) method

deleted

Authenticate(Func<AuthenticateDescriptor, IAuthenticateRequest>) method

deleted

AuthenticateAsync(IAuthenticateRequest, CancellationToken) method

deleted

AuthenticateAsync(Func<AuthenticateDescriptor, IAuthenticateRequest>, CancellationToken) method

deleted

Bulk(IBulkRequest) method

Member type changed from IBulkResponse to BulkResponse.

Bulk(Func<BulkDescriptor, IBulkRequest>) method

Member type changed from IBulkResponse to BulkResponse.

BulkAsync(IBulkRequest, CancellationToken) method

Member type changed from Task<IBulkResponse> to Task<BulkResponse>.

BulkAsync(Func<BulkDescriptor, IBulkRequest>, CancellationToken) method

Member type changed from Task<IBulkResponse> to Task<BulkResponse>.

CancelTasks(ICancelTasksRequest) method

deleted

CancelTasks(Func<CancelTasksDescriptor, ICancelTasksRequest>) method

deleted

CancelTasksAsync(ICancelTasksRequest, CancellationToken) method

deleted

CancelTasksAsync(Func<CancelTasksDescriptor, ICancelTasksRequest>, CancellationToken) method

deleted

CatAliases(ICatAliasesRequest) method

deleted

CatAliases(Func<CatAliasesDescriptor, ICatAliasesRequest>) method

deleted

CatAliasesAsync(ICatAliasesRequest, CancellationToken) method

deleted

CatAliasesAsync(Func<CatAliasesDescriptor, ICatAliasesRequest>, CancellationToken) method

deleted

CatAllocation(ICatAllocationRequest) method

deleted

CatAllocation(Func<CatAllocationDescriptor, ICatAllocationRequest>) method

deleted

CatAllocationAsync(ICatAllocationRequest, CancellationToken) method

deleted

CatAllocationAsync(Func<CatAllocationDescriptor, ICatAllocationRequest>, CancellationToken) method

deleted

CatCount(ICatCountRequest) method

deleted

CatCount(Func<CatCountDescriptor, ICatCountRequest>) method

deleted

CatCountAsync(ICatCountRequest, CancellationToken) method

deleted

CatCountAsync(Func<CatCountDescriptor, ICatCountRequest>, CancellationToken) method

deleted

CatFielddata(ICatFielddataRequest) method

deleted

CatFielddata(Func<CatFielddataDescriptor, ICatFielddataRequest>) method

deleted

CatFielddataAsync(ICatFielddataRequest, CancellationToken) method

deleted

CatFielddataAsync(Func<CatFielddataDescriptor, ICatFielddataRequest>, CancellationToken) method

deleted

CatHealth(ICatHealthRequest) method

deleted

CatHealth(Func<CatHealthDescriptor, ICatHealthRequest>) method

deleted

CatHealthAsync(ICatHealthRequest, CancellationToken) method

deleted

CatHealthAsync(Func<CatHealthDescriptor, ICatHealthRequest>, CancellationToken) method

deleted

CatHelp(ICatHelpRequest) method

deleted

CatHelp(Func<CatHelpDescriptor, ICatHelpRequest>) method

deleted

CatHelpAsync(ICatHelpRequest, CancellationToken) method

deleted

CatHelpAsync(Func<CatHelpDescriptor, ICatHelpRequest>, CancellationToken) method

deleted

CatIndices(ICatIndicesRequest) method

deleted

CatIndices(Func<CatIndicesDescriptor, ICatIndicesRequest>) method

deleted

CatIndicesAsync(ICatIndicesRequest, CancellationToken) method

deleted

CatIndicesAsync(Func<CatIndicesDescriptor, ICatIndicesRequest>, CancellationToken) method

deleted

CatMaster(ICatMasterRequest) method

deleted

CatMaster(Func<CatMasterDescriptor, ICatMasterRequest>) method

deleted

CatMasterAsync(ICatMasterRequest, CancellationToken) method

deleted

CatMasterAsync(Func<CatMasterDescriptor, ICatMasterRequest>, CancellationToken) method

deleted

CatNodeAttributes(ICatNodeAttributesRequest) method

deleted

CatNodeAttributes(Func<CatNodeAttributesDescriptor, ICatNodeAttributesRequest>) method

deleted

CatNodeAttributesAsync(ICatNodeAttributesRequest, CancellationToken) method

deleted

CatNodeAttributesAsync(Func<CatNodeAttributesDescriptor, ICatNodeAttributesRequest>, CancellationToken) method

deleted

CatNodes(ICatNodesRequest) method

deleted

CatNodes(Func<CatNodesDescriptor, ICatNodesRequest>) method

deleted

CatNodesAsync(ICatNodesRequest, CancellationToken) method

deleted

CatNodesAsync(Func<CatNodesDescriptor, ICatNodesRequest>, CancellationToken) method

deleted

CatPendingTasks(ICatPendingTasksRequest) method

deleted

CatPendingTasks(Func<CatPendingTasksDescriptor, ICatPendingTasksRequest>) method

deleted

CatPendingTasksAsync(ICatPendingTasksRequest, CancellationToken) method

deleted

CatPendingTasksAsync(Func<CatPendingTasksDescriptor, ICatPendingTasksRequest>, CancellationToken) method

deleted

CatPlugins(ICatPluginsRequest) method

deleted

CatPlugins(Func<CatPluginsDescriptor, ICatPluginsRequest>) method

deleted

CatPluginsAsync(ICatPluginsRequest, CancellationToken) method

deleted

CatPluginsAsync(Func<CatPluginsDescriptor, ICatPluginsRequest>, CancellationToken) method

deleted

CatRecovery(ICatRecoveryRequest) method

deleted

CatRecovery(Func<CatRecoveryDescriptor, ICatRecoveryRequest>) method

deleted

CatRecoveryAsync(ICatRecoveryRequest, CancellationToken) method

deleted

CatRecoveryAsync(Func<CatRecoveryDescriptor, ICatRecoveryRequest>, CancellationToken) method

deleted

CatRepositories(ICatRepositoriesRequest) method

deleted

CatRepositories(Func<CatRepositoriesDescriptor, ICatRepositoriesRequest>) method

deleted

CatRepositoriesAsync(ICatRepositoriesRequest, CancellationToken) method

deleted

CatRepositoriesAsync(Func<CatRepositoriesDescriptor, ICatRepositoriesRequest>, CancellationToken) method

deleted

CatSegments(ICatSegmentsRequest) method

deleted

CatSegments(Func<CatSegmentsDescriptor, ICatSegmentsRequest>) method

deleted

CatSegmentsAsync(ICatSegmentsRequest, CancellationToken) method

deleted

CatSegmentsAsync(Func<CatSegmentsDescriptor, ICatSegmentsRequest>, CancellationToken) method

deleted

CatShards(ICatShardsRequest) method

deleted

CatShards(Func<CatShardsDescriptor, ICatShardsRequest>) method

deleted

CatShardsAsync(ICatShardsRequest, CancellationToken) method

deleted

CatShardsAsync(Func<CatShardsDescriptor, ICatShardsRequest>, CancellationToken) method

deleted

CatSnapshots(ICatSnapshotsRequest) method

deleted

CatSnapshots(Names, Func<CatSnapshotsDescriptor, ICatSnapshotsRequest>) method

deleted

CatSnapshotsAsync(ICatSnapshotsRequest, CancellationToken) method

deleted

CatSnapshotsAsync(Names, Func<CatSnapshotsDescriptor, ICatSnapshotsRequest>, CancellationToken) method

deleted

CatTasks(ICatTasksRequest) method

deleted

CatTasks(Func<CatTasksDescriptor, ICatTasksRequest>) method

deleted

CatTasksAsync(ICatTasksRequest, CancellationToken) method

deleted

CatTasksAsync(Func<CatTasksDescriptor, ICatTasksRequest>, CancellationToken) method

deleted

CatTemplates(ICatTemplatesRequest) method

deleted

CatTemplates(Func<CatTemplatesDescriptor, ICatTemplatesRequest>) method

deleted

CatTemplatesAsync(ICatTemplatesRequest, CancellationToken) method

deleted

CatTemplatesAsync(Func<CatTemplatesDescriptor, ICatTemplatesRequest>, CancellationToken) method

deleted

CatThreadPool(ICatThreadPoolRequest) method

deleted

CatThreadPool(Func<CatThreadPoolDescriptor, ICatThreadPoolRequest>) method

deleted

CatThreadPoolAsync(ICatThreadPoolRequest, CancellationToken) method

deleted

CatThreadPoolAsync(Func<CatThreadPoolDescriptor, ICatThreadPoolRequest>, CancellationToken) method

deleted

CcrStats(ICcrStatsRequest) method

deleted

CcrStats(Func<CcrStatsDescriptor, ICcrStatsRequest>) method

deleted

CcrStatsAsync(ICcrStatsRequest, CancellationToken) method

deleted

CcrStatsAsync(Func<CcrStatsDescriptor, ICcrStatsRequest>, CancellationToken) method

deleted

ChangePassword(IChangePasswordRequest) method

deleted

ChangePassword(Func<ChangePasswordDescriptor, IChangePasswordRequest>) method

deleted

ChangePasswordAsync(IChangePasswordRequest, CancellationToken) method

deleted

ChangePasswordAsync(Func<ChangePasswordDescriptor, IChangePasswordRequest>, CancellationToken) method

deleted

ClearCache(IClearCacheRequest) method

deleted

ClearCache(Indices, Func<ClearCacheDescriptor, IClearCacheRequest>) method

deleted

ClearCacheAsync(IClearCacheRequest, CancellationToken) method

deleted

ClearCacheAsync(Indices, Func<ClearCacheDescriptor, IClearCacheRequest>, CancellationToken) method

deleted

ClearCachedRealms(IClearCachedRealmsRequest) method

deleted

ClearCachedRealms(Names, Func<ClearCachedRealmsDescriptor, IClearCachedRealmsRequest>) method

deleted

ClearCachedRealmsAsync(IClearCachedRealmsRequest, CancellationToken) method

deleted

ClearCachedRealmsAsync(Names, Func<ClearCachedRealmsDescriptor, IClearCachedRealmsRequest>, CancellationToken) method

deleted

ClearCachedRoles(IClearCachedRolesRequest) method

deleted

ClearCachedRoles(Names, Func<ClearCachedRolesDescriptor, IClearCachedRolesRequest>) method

deleted

ClearCachedRolesAsync(IClearCachedRolesRequest, CancellationToken) method

deleted

ClearCachedRolesAsync(Names, Func<ClearCachedRolesDescriptor, IClearCachedRolesRequest>, CancellationToken) method

deleted

ClearScroll(IClearScrollRequest) method

Member type changed from IClearScrollResponse to ClearScrollResponse.

ClearScroll(Func<ClearScrollDescriptor, IClearScrollRequest>) method

Member type changed from IClearScrollResponse to ClearScrollResponse.

ClearScrollAsync(IClearScrollRequest, CancellationToken) method

Member type changed from Task<IClearScrollResponse> to Task<ClearScrollResponse>.

ClearScrollAsync(Func<ClearScrollDescriptor, IClearScrollRequest>, CancellationToken) method

Member type changed from Task<IClearScrollResponse> to Task<ClearScrollResponse>.

ClearSqlCursor(IClearSqlCursorRequest) method

deleted

ClearSqlCursor(Func<ClearSqlCursorDescriptor, IClearSqlCursorRequest>) method

deleted

ClearSqlCursorAsync(IClearSqlCursorRequest, CancellationToken) method

deleted

ClearSqlCursorAsync(Func<ClearSqlCursorDescriptor, IClearSqlCursorRequest>, CancellationToken) method

deleted

CloseIndex(ICloseIndexRequest) method

deleted

CloseIndex(Indices, Func<CloseIndexDescriptor, ICloseIndexRequest>) method

deleted

CloseIndexAsync(ICloseIndexRequest, CancellationToken) method

deleted

CloseIndexAsync(Indices, Func<CloseIndexDescriptor, ICloseIndexRequest>, CancellationToken) method

deleted

CloseJob(ICloseJobRequest) method

deleted

CloseJob(Id, Func<CloseJobDescriptor, ICloseJobRequest>) method

deleted

CloseJobAsync(ICloseJobRequest, CancellationToken) method

deleted

CloseJobAsync(Id, Func<CloseJobDescriptor, ICloseJobRequest>, CancellationToken) method

deleted

ClusterAllocationExplain(IClusterAllocationExplainRequest) method

deleted

ClusterAllocationExplain(Func<ClusterAllocationExplainDescriptor, IClusterAllocationExplainRequest>) method

deleted

ClusterAllocationExplainAsync(IClusterAllocationExplainRequest, CancellationToken) method

deleted

ClusterAllocationExplainAsync(Func<ClusterAllocationExplainDescriptor, IClusterAllocationExplainRequest>, CancellationToken) method

deleted

ClusterGetSettings(IClusterGetSettingsRequest) method

deleted

ClusterGetSettings(Func<ClusterGetSettingsDescriptor, IClusterGetSettingsRequest>) method

deleted

ClusterGetSettingsAsync(IClusterGetSettingsRequest, CancellationToken) method

deleted

ClusterGetSettingsAsync(Func<ClusterGetSettingsDescriptor, IClusterGetSettingsRequest>, CancellationToken) method

deleted

ClusterHealth(IClusterHealthRequest) method

deleted

ClusterHealth(Func<ClusterHealthDescriptor, IClusterHealthRequest>) method

deleted

ClusterHealthAsync(IClusterHealthRequest, CancellationToken) method

deleted

ClusterHealthAsync(Func<ClusterHealthDescriptor, IClusterHealthRequest>, CancellationToken) method

deleted

ClusterPendingTasks(IClusterPendingTasksRequest) method

deleted

ClusterPendingTasks(Func<ClusterPendingTasksDescriptor, IClusterPendingTasksRequest>) method

deleted

ClusterPendingTasksAsync(IClusterPendingTasksRequest, CancellationToken) method

deleted

ClusterPendingTasksAsync(Func<ClusterPendingTasksDescriptor, IClusterPendingTasksRequest>, CancellationToken) method

deleted

ClusterPutSettings(IClusterPutSettingsRequest) method

deleted

ClusterPutSettings(Func<ClusterPutSettingsDescriptor, IClusterPutSettingsRequest>) method

deleted

ClusterPutSettingsAsync(IClusterPutSettingsRequest, CancellationToken) method

deleted

ClusterPutSettingsAsync(Func<ClusterPutSettingsDescriptor, IClusterPutSettingsRequest>, CancellationToken) method

deleted

ClusterReroute(IClusterRerouteRequest) method

deleted

ClusterReroute(Func<ClusterRerouteDescriptor, IClusterRerouteRequest>) method

deleted

ClusterRerouteAsync(IClusterRerouteRequest, CancellationToken) method

deleted

ClusterRerouteAsync(Func<ClusterRerouteDescriptor, IClusterRerouteRequest>, CancellationToken) method

deleted

ClusterState(IClusterStateRequest) method

deleted

ClusterState(Func<ClusterStateDescriptor, IClusterStateRequest>) method

deleted

ClusterStateAsync(IClusterStateRequest, CancellationToken) method

deleted

ClusterStateAsync(Func<ClusterStateDescriptor, IClusterStateRequest>, CancellationToken) method

deleted

ClusterStats(IClusterStatsRequest) method

deleted

ClusterStats(Func<ClusterStatsDescriptor, IClusterStatsRequest>) method

deleted

ClusterStatsAsync(IClusterStatsRequest, CancellationToken) method

deleted

ClusterStatsAsync(Func<ClusterStatsDescriptor, IClusterStatsRequest>, CancellationToken) method

deleted

Count(ICountRequest) method

Member type changed from ICountResponse to CountResponse.

Count<T>(Func<CountDescriptor<T>, ICountRequest>) method

deleted

Count<TDocument>(Func<CountDescriptor<TDocument>, ICountRequest>) method

added

CountAsync(ICountRequest, CancellationToken) method

Member type changed from Task<ICountResponse> to Task<CountResponse>.

CountAsync<T>(Func<CountDescriptor<T>, ICountRequest>, CancellationToken) method

deleted

CountAsync<TDocument>(Func<CountDescriptor<TDocument>, ICountRequest>, CancellationToken) method

added

Create<TDocument>(ICreateRequest<TDocument>) method

Member type changed from ICreateResponse to CreateResponse.

Create<TDocument>(TDocument, Func<CreateDescriptor<TDocument>, ICreateRequest<TDocument>>) method

Member type changed from ICreateResponse to CreateResponse.

CreateApiKey(ICreateApiKeyRequest) method

deleted

CreateApiKey(Func<CreateApiKeyDescriptor, ICreateApiKeyRequest>) method

deleted

CreateApiKeyAsync(ICreateApiKeyRequest, CancellationToken) method

deleted

CreateApiKeyAsync(Func<CreateApiKeyDescriptor, ICreateApiKeyRequest>, CancellationToken) method

deleted

CreateAsync<TDocument>(ICreateRequest<TDocument>, CancellationToken) method

Member type changed from Task<ICreateResponse> to Task<CreateResponse>.

CreateAsync<TDocument>(TDocument, Func<CreateDescriptor<TDocument>, ICreateRequest<TDocument>>, CancellationToken) method

Member type changed from Task<ICreateResponse> to Task<CreateResponse>.

CreateAutoFollowPattern(ICreateAutoFollowPatternRequest) method

deleted

CreateAutoFollowPattern(Name, Func<CreateAutoFollowPatternDescriptor, ICreateAutoFollowPatternRequest>) method

deleted

CreateAutoFollowPatternAsync(ICreateAutoFollowPatternRequest, CancellationToken) method

deleted

CreateAutoFollowPatternAsync(Name, Func<CreateAutoFollowPatternDescriptor, ICreateAutoFollowPatternRequest>, CancellationToken) method

deleted

CreateDocument<TDocument>(TDocument) method

Member type changed from ICreateResponse to CreateResponse.

CreateDocumentAsync<TDocument>(TDocument, CancellationToken) method

Member type changed from Task<ICreateResponse> to Task<CreateResponse>.

CreateFollowIndex(ICreateFollowIndexRequest) method

deleted

CreateFollowIndex(IndexName, Func<CreateFollowIndexDescriptor, ICreateFollowIndexRequest>) method

deleted

CreateFollowIndexAsync(ICreateFollowIndexRequest, CancellationToken) method

deleted

CreateFollowIndexAsync(IndexName, Func<CreateFollowIndexDescriptor, ICreateFollowIndexRequest>, CancellationToken) method

deleted

CreateIndex(ICreateIndexRequest) method

deleted

CreateIndex(IndexName, Func<CreateIndexDescriptor, ICreateIndexRequest>) method

deleted

CreateIndexAsync(ICreateIndexRequest, CancellationToken) method

deleted

CreateIndexAsync(IndexName, Func<CreateIndexDescriptor, ICreateIndexRequest>, CancellationToken) method

deleted

CreateRepository(ICreateRepositoryRequest) method

deleted

CreateRepository(Name, Func<CreateRepositoryDescriptor, ICreateRepositoryRequest>) method

deleted

CreateRepositoryAsync(ICreateRepositoryRequest, CancellationToken) method

deleted

CreateRepositoryAsync(Name, Func<CreateRepositoryDescriptor, ICreateRepositoryRequest>, CancellationToken) method

deleted

CreateRollupJob(ICreateRollupJobRequest) method

deleted

CreateRollupJob<T>(Id, Func<CreateRollupJobDescriptor<T>, ICreateRollupJobRequest>) method

deleted

CreateRollupJobAsync(ICreateRollupJobRequest, CancellationToken) method

deleted

CreateRollupJobAsync<T>(Id, Func<CreateRollupJobDescriptor<T>, ICreateRollupJobRequest>, CancellationToken) method

deleted

DeactivateWatch(Id, Func<DeactivateWatchDescriptor, IDeactivateWatchRequest>) method

deleted

DeactivateWatch(IDeactivateWatchRequest) method

deleted

DeactivateWatchAsync(Id, Func<DeactivateWatchDescriptor, IDeactivateWatchRequest>, CancellationToken) method

deleted

DeactivateWatchAsync(IDeactivateWatchRequest, CancellationToken) method

deleted

Delete<T>(DocumentPath<T>, Func<DeleteDescriptor<T>, IDeleteRequest>) method

deleted

Delete<TDocument>(DocumentPath<TDocument>, Func<DeleteDescriptor<TDocument>, IDeleteRequest>) method

added

Delete(IDeleteRequest) method

Member type changed from IDeleteResponse to DeleteResponse.

DeleteAlias(IDeleteAliasRequest) method

deleted

DeleteAlias(Indices, Names, Func<DeleteAliasDescriptor, IDeleteAliasRequest>) method

deleted

DeleteAliasAsync(IDeleteAliasRequest, CancellationToken) method

deleted

DeleteAliasAsync(Indices, Names, Func<DeleteAliasDescriptor, IDeleteAliasRequest>, CancellationToken) method

deleted

DeleteAsync<T>(DocumentPath<T>, Func<DeleteDescriptor<T>, IDeleteRequest>, CancellationToken) method

deleted

DeleteAsync<TDocument>(DocumentPath<TDocument>, Func<DeleteDescriptor<TDocument>, IDeleteRequest>, CancellationToken) method

added

DeleteAsync(IDeleteRequest, CancellationToken) method

Member type changed from Task<IDeleteResponse> to Task<DeleteResponse>.

DeleteAutoFollowPattern(IDeleteAutoFollowPatternRequest) method

deleted

DeleteAutoFollowPattern(Name, Func<DeleteAutoFollowPatternDescriptor, IDeleteAutoFollowPatternRequest>) method

deleted

DeleteAutoFollowPatternAsync(IDeleteAutoFollowPatternRequest, CancellationToken) method

deleted

DeleteAutoFollowPatternAsync(Name, Func<DeleteAutoFollowPatternDescriptor, IDeleteAutoFollowPatternRequest>, CancellationToken) method

deleted

DeleteByQuery(IDeleteByQueryRequest) method

Member type changed from IDeleteByQueryResponse to DeleteByQueryResponse.

DeleteByQuery<T>(Func<DeleteByQueryDescriptor<T>, IDeleteByQueryRequest>) method

deleted

DeleteByQuery<TDocument>(Func<DeleteByQueryDescriptor<TDocument>, IDeleteByQueryRequest>) method

added

DeleteByQueryAsync(IDeleteByQueryRequest, CancellationToken) method

Member type changed from Task<IDeleteByQueryResponse> to Task<DeleteByQueryResponse>.

DeleteByQueryAsync<T>(Func<DeleteByQueryDescriptor<T>, IDeleteByQueryRequest>, CancellationToken) method

deleted

DeleteByQueryAsync<TDocument>(Func<DeleteByQueryDescriptor<TDocument>, IDeleteByQueryRequest>, CancellationToken) method

added

DeleteByQueryRethrottle(IDeleteByQueryRethrottleRequest) method

Member type changed from IListTasksResponse to ListTasksResponse.

DeleteByQueryRethrottle(TaskId, Func<DeleteByQueryRethrottleDescriptor, IDeleteByQueryRethrottleRequest>) method

Member type changed from IListTasksResponse to ListTasksResponse.

DeleteByQueryRethrottleAsync(IDeleteByQueryRethrottleRequest, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

DeleteByQueryRethrottleAsync(TaskId, Func<DeleteByQueryRethrottleDescriptor, IDeleteByQueryRethrottleRequest>, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

DeleteCalendar(Id, Func<DeleteCalendarDescriptor, IDeleteCalendarRequest>) method

deleted

DeleteCalendar(IDeleteCalendarRequest) method

deleted

DeleteCalendarAsync(Id, Func<DeleteCalendarDescriptor, IDeleteCalendarRequest>, CancellationToken) method

deleted

DeleteCalendarAsync(IDeleteCalendarRequest, CancellationToken) method

deleted

DeleteCalendarEvent(Id, Id, Func<DeleteCalendarEventDescriptor, IDeleteCalendarEventRequest>) method

deleted

DeleteCalendarEvent(IDeleteCalendarEventRequest) method

deleted

DeleteCalendarEventAsync(Id, Id, Func<DeleteCalendarEventDescriptor, IDeleteCalendarEventRequest>, CancellationToken) method

deleted

DeleteCalendarEventAsync(IDeleteCalendarEventRequest, CancellationToken) method

deleted

DeleteCalendarJob(Id, Id, Func<DeleteCalendarJobDescriptor, IDeleteCalendarJobRequest>) method

deleted

DeleteCalendarJob(IDeleteCalendarJobRequest) method

deleted

DeleteCalendarJobAsync(Id, Id, Func<DeleteCalendarJobDescriptor, IDeleteCalendarJobRequest>, CancellationToken) method

deleted

DeleteCalendarJobAsync(IDeleteCalendarJobRequest, CancellationToken) method

deleted

DeleteDatafeed(Id, Func<DeleteDatafeedDescriptor, IDeleteDatafeedRequest>) method

deleted

DeleteDatafeed(IDeleteDatafeedRequest) method

deleted

DeleteDatafeedAsync(Id, Func<DeleteDatafeedDescriptor, IDeleteDatafeedRequest>, CancellationToken) method

deleted

DeleteDatafeedAsync(IDeleteDatafeedRequest, CancellationToken) method

deleted

DeleteExpiredData(IDeleteExpiredDataRequest) method

deleted

DeleteExpiredData(Func<DeleteExpiredDataDescriptor, IDeleteExpiredDataRequest>) method

deleted

DeleteExpiredDataAsync(IDeleteExpiredDataRequest, CancellationToken) method

deleted

DeleteExpiredDataAsync(Func<DeleteExpiredDataDescriptor, IDeleteExpiredDataRequest>, CancellationToken) method

deleted

DeleteFilter(Id, Func<DeleteFilterDescriptor, IDeleteFilterRequest>) method

deleted

DeleteFilter(IDeleteFilterRequest) method

deleted

DeleteFilterAsync(Id, Func<DeleteFilterDescriptor, IDeleteFilterRequest>, CancellationToken) method

deleted

DeleteFilterAsync(IDeleteFilterRequest, CancellationToken) method

deleted

DeleteForecast(Id, ForecastIds, Func<DeleteForecastDescriptor, IDeleteForecastRequest>) method

deleted

DeleteForecast(IDeleteForecastRequest) method

deleted

DeleteForecastAsync(Id, ForecastIds, Func<DeleteForecastDescriptor, IDeleteForecastRequest>, CancellationToken) method

deleted

DeleteForecastAsync(IDeleteForecastRequest, CancellationToken) method

deleted

DeleteIndex(IDeleteIndexRequest) method

deleted

DeleteIndex(Indices, Func<DeleteIndexDescriptor, IDeleteIndexRequest>) method

deleted

DeleteIndexAsync(IDeleteIndexRequest, CancellationToken) method

deleted

DeleteIndexAsync(Indices, Func<DeleteIndexDescriptor, IDeleteIndexRequest>, CancellationToken) method

deleted

DeleteIndexTemplate(IDeleteIndexTemplateRequest) method

deleted

DeleteIndexTemplate(Name, Func<DeleteIndexTemplateDescriptor, IDeleteIndexTemplateRequest>) method

deleted

DeleteIndexTemplateAsync(IDeleteIndexTemplateRequest, CancellationToken) method

deleted

DeleteIndexTemplateAsync(Name, Func<DeleteIndexTemplateDescriptor, IDeleteIndexTemplateRequest>, CancellationToken) method

deleted

DeleteJob(Id, Func<DeleteJobDescriptor, IDeleteJobRequest>) method

deleted

DeleteJob(IDeleteJobRequest) method

deleted

DeleteJobAsync(Id, Func<DeleteJobDescriptor, IDeleteJobRequest>, CancellationToken) method

deleted

DeleteJobAsync(IDeleteJobRequest, CancellationToken) method

deleted

DeleteLicense(IDeleteLicenseRequest) method

deleted

DeleteLicense(Func<DeleteLicenseDescriptor, IDeleteLicenseRequest>) method

deleted

DeleteLicenseAsync(IDeleteLicenseRequest, CancellationToken) method

deleted

DeleteLicenseAsync(Func<DeleteLicenseDescriptor, IDeleteLicenseRequest>, CancellationToken) method

deleted

DeleteLifecycle(IDeleteLifecycleRequest) method

deleted

DeleteLifecycle(PolicyId, Func<DeleteLifecycleDescriptor, IDeleteLifecycleRequest>) method

deleted

DeleteLifecycleAsync(IDeleteLifecycleRequest, CancellationToken) method

deleted

DeleteLifecycleAsync(PolicyId, Func<DeleteLifecycleDescriptor, IDeleteLifecycleRequest>, CancellationToken) method

deleted

DeleteModelSnapshot(Id, Id, Func<DeleteModelSnapshotDescriptor, IDeleteModelSnapshotRequest>) method

deleted

DeleteModelSnapshot(IDeleteModelSnapshotRequest) method

deleted

DeleteModelSnapshotAsync(Id, Id, Func<DeleteModelSnapshotDescriptor, IDeleteModelSnapshotRequest>, CancellationToken) method

deleted

DeleteModelSnapshotAsync(IDeleteModelSnapshotRequest, CancellationToken) method

deleted

DeletePipeline(Id, Func<DeletePipelineDescriptor, IDeletePipelineRequest>) method

deleted

DeletePipeline(IDeletePipelineRequest) method

deleted

DeletePipelineAsync(Id, Func<DeletePipelineDescriptor, IDeletePipelineRequest>, CancellationToken) method

deleted

DeletePipelineAsync(IDeletePipelineRequest, CancellationToken) method

deleted

DeletePrivileges(IDeletePrivilegesRequest) method

deleted

DeletePrivileges(Name, Name, Func<DeletePrivilegesDescriptor, IDeletePrivilegesRequest>) method

deleted

DeletePrivilegesAsync(IDeletePrivilegesRequest, CancellationToken) method

deleted

DeletePrivilegesAsync(Name, Name, Func<DeletePrivilegesDescriptor, IDeletePrivilegesRequest>, CancellationToken) method

deleted

DeleteRepository(IDeleteRepositoryRequest) method

deleted

DeleteRepository(Names, Func<DeleteRepositoryDescriptor, IDeleteRepositoryRequest>) method

deleted

DeleteRepositoryAsync(IDeleteRepositoryRequest, CancellationToken) method

deleted

DeleteRepositoryAsync(Names, Func<DeleteRepositoryDescriptor, IDeleteRepositoryRequest>, CancellationToken) method

deleted

DeleteRole(IDeleteRoleRequest) method

deleted

DeleteRole(Name, Func<DeleteRoleDescriptor, IDeleteRoleRequest>) method

deleted

DeleteRoleAsync(IDeleteRoleRequest, CancellationToken) method

deleted

DeleteRoleAsync(Name, Func<DeleteRoleDescriptor, IDeleteRoleRequest>, CancellationToken) method

deleted

DeleteRoleMapping(IDeleteRoleMappingRequest) method

deleted

DeleteRoleMapping(Name, Func<DeleteRoleMappingDescriptor, IDeleteRoleMappingRequest>) method

deleted

DeleteRoleMappingAsync(IDeleteRoleMappingRequest, CancellationToken) method

deleted

DeleteRoleMappingAsync(Name, Func<DeleteRoleMappingDescriptor, IDeleteRoleMappingRequest>, CancellationToken) method

deleted

DeleteRollupJob(Id, Func<DeleteRollupJobDescriptor, IDeleteRollupJobRequest>) method

deleted

DeleteRollupJob(IDeleteRollupJobRequest) method

deleted

DeleteRollupJobAsync(Id, Func<DeleteRollupJobDescriptor, IDeleteRollupJobRequest>, CancellationToken) method

deleted

DeleteRollupJobAsync(IDeleteRollupJobRequest, CancellationToken) method

deleted

DeleteScript(Id, Func<DeleteScriptDescriptor, IDeleteScriptRequest>) method

Member type changed from IDeleteScriptResponse to DeleteScriptResponse.

DeleteScript(IDeleteScriptRequest) method

Member type changed from IDeleteScriptResponse to DeleteScriptResponse.

DeleteScriptAsync(Id, Func<DeleteScriptDescriptor, IDeleteScriptRequest>, CancellationToken) method

Member type changed from Task<IDeleteScriptResponse> to Task<DeleteScriptResponse>.

DeleteScriptAsync(IDeleteScriptRequest, CancellationToken) method

Member type changed from Task<IDeleteScriptResponse> to Task<DeleteScriptResponse>.

DeleteSnapshot(IDeleteSnapshotRequest) method

deleted

DeleteSnapshot(Name, Name, Func<DeleteSnapshotDescriptor, IDeleteSnapshotRequest>) method

deleted

DeleteSnapshotAsync(IDeleteSnapshotRequest, CancellationToken) method

deleted

DeleteSnapshotAsync(Name, Name, Func<DeleteSnapshotDescriptor, IDeleteSnapshotRequest>, CancellationToken) method

deleted

DeleteUser(IDeleteUserRequest) method

deleted

DeleteUser(Name, Func<DeleteUserDescriptor, IDeleteUserRequest>) method

deleted

DeleteUserAsync(IDeleteUserRequest, CancellationToken) method

deleted

DeleteUserAsync(Name, Func<DeleteUserDescriptor, IDeleteUserRequest>, CancellationToken) method

deleted

DeleteWatch(Id, Func<DeleteWatchDescriptor, IDeleteWatchRequest>) method

deleted

DeleteWatch(IDeleteWatchRequest) method

deleted

DeleteWatchAsync(Id, Func<DeleteWatchDescriptor, IDeleteWatchRequest>, CancellationToken) method

deleted

DeleteWatchAsync(IDeleteWatchRequest, CancellationToken) method

deleted

DeprecationInfo(IDeprecationInfoRequest) method

deleted

DeprecationInfo(Func<DeprecationInfoDescriptor, IDeprecationInfoRequest>) method

deleted

DeprecationInfoAsync(IDeprecationInfoRequest, CancellationToken) method

deleted

DeprecationInfoAsync(Func<DeprecationInfoDescriptor, IDeprecationInfoRequest>, CancellationToken) method

deleted

DisableUser(IDisableUserRequest) method

deleted

DisableUser(Name, Func<DisableUserDescriptor, IDisableUserRequest>) method

deleted

DisableUserAsync(IDisableUserRequest, CancellationToken) method

deleted

DisableUserAsync(Name, Func<DisableUserDescriptor, IDisableUserRequest>, CancellationToken) method

deleted

DocumentExists<T>(DocumentPath<T>, Func<DocumentExistsDescriptor<T>, IDocumentExistsRequest>) method

deleted

DocumentExists<TDocument>(DocumentPath<TDocument>, Func<DocumentExistsDescriptor<TDocument>, IDocumentExistsRequest>) method

added

DocumentExists(IDocumentExistsRequest) method

Member type changed from IExistsResponse to ExistsResponse.

DocumentExistsAsync<T>(DocumentPath<T>, Func<DocumentExistsDescriptor<T>, IDocumentExistsRequest>, CancellationToken) method

deleted

DocumentExistsAsync<TDocument>(DocumentPath<TDocument>, Func<DocumentExistsDescriptor<TDocument>, IDocumentExistsRequest>, CancellationToken) method

added

DocumentExistsAsync(IDocumentExistsRequest, CancellationToken) method

Member type changed from Task<IExistsResponse> to Task<ExistsResponse>.

EnableUser(IEnableUserRequest) method

deleted

EnableUser(Name, Func<EnableUserDescriptor, IEnableUserRequest>) method

deleted

EnableUserAsync(IEnableUserRequest, CancellationToken) method

deleted

EnableUserAsync(Name, Func<EnableUserDescriptor, IEnableUserRequest>, CancellationToken) method

deleted

ExecutePainlessScript<TResult>(IExecutePainlessScriptRequest) method

Member type changed from IExecutePainlessScriptResponse<TResult> to ExecutePainlessScriptResponse<TResult>.

ExecutePainlessScript<TResult>(Func<ExecutePainlessScriptDescriptor, IExecutePainlessScriptRequest>) method

Member type changed from IExecutePainlessScriptResponse<TResult> to ExecutePainlessScriptResponse<TResult>.

ExecutePainlessScriptAsync<TResult>(IExecutePainlessScriptRequest, CancellationToken) method

Member type changed from Task<IExecutePainlessScriptResponse<TResult>> to Task<ExecutePainlessScriptResponse<TResult>>.

ExecutePainlessScriptAsync<TResult>(Func<ExecutePainlessScriptDescriptor, IExecutePainlessScriptRequest>, CancellationToken) method

Member type changed from Task<IExecutePainlessScriptResponse<TResult>> to Task<ExecutePainlessScriptResponse<TResult>>.

ExecuteWatch(IExecuteWatchRequest) method

deleted

ExecuteWatch(Func<ExecuteWatchDescriptor, IExecuteWatchRequest>) method

deleted

ExecuteWatchAsync(IExecuteWatchRequest, CancellationToken) method

deleted

ExecuteWatchAsync(Func<ExecuteWatchDescriptor, IExecuteWatchRequest>, CancellationToken) method

deleted

Explain<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest<TDocument>>) method

deleted

Explain<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest>) method

added

Explain<TDocument>(IExplainRequest) method

added

Explain<TDocument>(IExplainRequest<TDocument>) method

deleted

ExplainAsync<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest<TDocument>>, CancellationToken) method

deleted

ExplainAsync<TDocument>(DocumentPath<TDocument>, Func<ExplainDescriptor<TDocument>, IExplainRequest>, CancellationToken) method

added

ExplainAsync<TDocument>(IExplainRequest, CancellationToken) method

added

ExplainAsync<TDocument>(IExplainRequest<TDocument>, CancellationToken) method

deleted

ExplainLifecycle(IExplainLifecycleRequest) method

deleted

ExplainLifecycle(IndexName, Func<ExplainLifecycleDescriptor, IExplainLifecycleRequest>) method

deleted

ExplainLifecycleAsync(IExplainLifecycleRequest, CancellationToken) method

deleted

ExplainLifecycleAsync(IndexName, Func<ExplainLifecycleDescriptor, IExplainLifecycleRequest>, CancellationToken) method

deleted

FieldCapabilities(IFieldCapabilitiesRequest) method

Member type changed from IFieldCapabilitiesResponse to FieldCapabilitiesResponse.

FieldCapabilities(Indices, Func<FieldCapabilitiesDescriptor, IFieldCapabilitiesRequest>) method

Member type changed from IFieldCapabilitiesResponse to FieldCapabilitiesResponse.

FieldCapabilitiesAsync(IFieldCapabilitiesRequest, CancellationToken) method

Member type changed from Task<IFieldCapabilitiesResponse> to Task<FieldCapabilitiesResponse>.

FieldCapabilitiesAsync(Indices, Func<FieldCapabilitiesDescriptor, IFieldCapabilitiesRequest>, CancellationToken) method

Member type changed from Task<IFieldCapabilitiesResponse> to Task<FieldCapabilitiesResponse>.

Flush(IFlushRequest) method

deleted

Flush(Indices, Func<FlushDescriptor, IFlushRequest>) method

deleted

FlushAsync(IFlushRequest, CancellationToken) method

deleted

FlushAsync(Indices, Func<FlushDescriptor, IFlushRequest>, CancellationToken) method

deleted

FlushJob(Id, Func<FlushJobDescriptor, IFlushJobRequest>) method

deleted

FlushJob(IFlushJobRequest) method

deleted

FlushJobAsync(Id, Func<FlushJobDescriptor, IFlushJobRequest>, CancellationToken) method

deleted

FlushJobAsync(IFlushJobRequest, CancellationToken) method

deleted

FollowIndexStats(IFollowIndexStatsRequest) method

deleted

FollowIndexStats(Indices, Func<FollowIndexStatsDescriptor, IFollowIndexStatsRequest>) method

deleted

FollowIndexStatsAsync(IFollowIndexStatsRequest, CancellationToken) method

deleted

FollowIndexStatsAsync(Indices, Func<FollowIndexStatsDescriptor, IFollowIndexStatsRequest>, CancellationToken) method

deleted

ForceMerge(IForceMergeRequest) method

deleted

ForceMerge(Indices, Func<ForceMergeDescriptor, IForceMergeRequest>) method

deleted

ForceMergeAsync(IForceMergeRequest, CancellationToken) method

deleted

ForceMergeAsync(Indices, Func<ForceMergeDescriptor, IForceMergeRequest>, CancellationToken) method

deleted

ForecastJob(Id, Func<ForecastJobDescriptor, IForecastJobRequest>) method

deleted

ForecastJob(IForecastJobRequest) method

deleted

ForecastJobAsync(Id, Func<ForecastJobDescriptor, IForecastJobRequest>, CancellationToken) method

deleted

ForecastJobAsync(IForecastJobRequest, CancellationToken) method

deleted

Get<T>(DocumentPath<T>, Func<GetDescriptor<T>, IGetRequest>) method

deleted

Get<TDocument>(DocumentPath<TDocument>, Func<GetDescriptor<TDocument>, IGetRequest>) method

added

Get<TDocument>(IGetRequest) method

Member type changed from IGetResponse<T> to GetResponse<TDocument>.

GetAlias(IGetAliasRequest) method

deleted

GetAlias(Func<GetAliasDescriptor, IGetAliasRequest>) method

deleted

GetAliasAsync(IGetAliasRequest, CancellationToken) method

deleted

GetAliasAsync(Func<GetAliasDescriptor, IGetAliasRequest>, CancellationToken) method

deleted

GetAnomalyRecords(Id, Func<GetAnomalyRecordsDescriptor, IGetAnomalyRecordsRequest>) method

deleted

GetAnomalyRecords(IGetAnomalyRecordsRequest) method

deleted

GetAnomalyRecordsAsync(Id, Func<GetAnomalyRecordsDescriptor, IGetAnomalyRecordsRequest>, CancellationToken) method

deleted

GetAnomalyRecordsAsync(IGetAnomalyRecordsRequest, CancellationToken) method

deleted

GetApiKey(IGetApiKeyRequest) method

deleted

GetApiKey(Func<GetApiKeyDescriptor, IGetApiKeyRequest>) method

deleted

GetApiKeyAsync(IGetApiKeyRequest, CancellationToken) method

deleted

GetApiKeyAsync(Func<GetApiKeyDescriptor, IGetApiKeyRequest>, CancellationToken) method

deleted

GetAsync<T>(DocumentPath<T>, Func<GetDescriptor<T>, IGetRequest>, CancellationToken) method

deleted

GetAsync<TDocument>(DocumentPath<TDocument>, Func<GetDescriptor<TDocument>, IGetRequest>, CancellationToken) method

added

GetAsync<TDocument>(IGetRequest, CancellationToken) method

Member type changed from Task<IGetResponse<T>> to Task<GetResponse<TDocument>>.

GetAutoFollowPattern(IGetAutoFollowPatternRequest) method

deleted

GetAutoFollowPattern(Func<GetAutoFollowPatternDescriptor, IGetAutoFollowPatternRequest>) method

deleted

GetAutoFollowPatternAsync(IGetAutoFollowPatternRequest, CancellationToken) method

deleted

GetAutoFollowPatternAsync(Func<GetAutoFollowPatternDescriptor, IGetAutoFollowPatternRequest>, CancellationToken) method

deleted

GetBasicLicenseStatus(IGetBasicLicenseStatusRequest) method

deleted

GetBasicLicenseStatus(Func<GetBasicLicenseStatusDescriptor, IGetBasicLicenseStatusRequest>) method

deleted

GetBasicLicenseStatusAsync(IGetBasicLicenseStatusRequest, CancellationToken) method

deleted

GetBasicLicenseStatusAsync(Func<GetBasicLicenseStatusDescriptor, IGetBasicLicenseStatusRequest>, CancellationToken) method

deleted

GetBuckets(Id, Func<GetBucketsDescriptor, IGetBucketsRequest>) method

deleted

GetBuckets(IGetBucketsRequest) method

deleted

GetBucketsAsync(Id, Func<GetBucketsDescriptor, IGetBucketsRequest>, CancellationToken) method

deleted

GetBucketsAsync(IGetBucketsRequest, CancellationToken) method

deleted

GetCalendarEvents(Id, Func<GetCalendarEventsDescriptor, IGetCalendarEventsRequest>) method

deleted

GetCalendarEvents(IGetCalendarEventsRequest) method

deleted

GetCalendarEventsAsync(Id, Func<GetCalendarEventsDescriptor, IGetCalendarEventsRequest>, CancellationToken) method

deleted

GetCalendarEventsAsync(IGetCalendarEventsRequest, CancellationToken) method

deleted

GetCalendars(IGetCalendarsRequest) method

deleted

GetCalendars(Func<GetCalendarsDescriptor, IGetCalendarsRequest>) method

deleted

GetCalendarsAsync(IGetCalendarsRequest, CancellationToken) method

deleted

GetCalendarsAsync(Func<GetCalendarsDescriptor, IGetCalendarsRequest>, CancellationToken) method

deleted

GetCategories(Id, Func<GetCategoriesDescriptor, IGetCategoriesRequest>) method

deleted

GetCategories(IGetCategoriesRequest) method

deleted

GetCategoriesAsync(Id, Func<GetCategoriesDescriptor, IGetCategoriesRequest>, CancellationToken) method

deleted

GetCategoriesAsync(IGetCategoriesRequest, CancellationToken) method

deleted

GetCertificates(IGetCertificatesRequest) method

deleted

GetCertificates(Func<GetCertificatesDescriptor, IGetCertificatesRequest>) method

deleted

GetCertificatesAsync(IGetCertificatesRequest, CancellationToken) method

deleted

GetCertificatesAsync(Func<GetCertificatesDescriptor, IGetCertificatesRequest>, CancellationToken) method

deleted

GetDatafeeds(IGetDatafeedsRequest) method

deleted

GetDatafeeds(Func<GetDatafeedsDescriptor, IGetDatafeedsRequest>) method

deleted

GetDatafeedsAsync(IGetDatafeedsRequest, CancellationToken) method

deleted

GetDatafeedsAsync(Func<GetDatafeedsDescriptor, IGetDatafeedsRequest>, CancellationToken) method

deleted

GetDatafeedStats(IGetDatafeedStatsRequest) method

deleted

GetDatafeedStats(Func<GetDatafeedStatsDescriptor, IGetDatafeedStatsRequest>) method

deleted

GetDatafeedStatsAsync(IGetDatafeedStatsRequest, CancellationToken) method

deleted

GetDatafeedStatsAsync(Func<GetDatafeedStatsDescriptor, IGetDatafeedStatsRequest>, CancellationToken) method

deleted

GetFieldMapping<T>(Fields, Func<GetFieldMappingDescriptor<T>, IGetFieldMappingRequest>) method

deleted

GetFieldMapping(IGetFieldMappingRequest) method

deleted

GetFieldMappingAsync<T>(Fields, Func<GetFieldMappingDescriptor<T>, IGetFieldMappingRequest>, CancellationToken) method

deleted

GetFieldMappingAsync(IGetFieldMappingRequest, CancellationToken) method

deleted

GetFilters(IGetFiltersRequest) method

deleted

GetFilters(Func<GetFiltersDescriptor, IGetFiltersRequest>) method

deleted

GetFiltersAsync(IGetFiltersRequest, CancellationToken) method

deleted

GetFiltersAsync(Func<GetFiltersDescriptor, IGetFiltersRequest>, CancellationToken) method

deleted

GetIlmStatus(IGetIlmStatusRequest) method

deleted

GetIlmStatus(Func<GetIlmStatusDescriptor, IGetIlmStatusRequest>) method

deleted

GetIlmStatusAsync(IGetIlmStatusRequest, CancellationToken) method

deleted

GetIlmStatusAsync(Func<GetIlmStatusDescriptor, IGetIlmStatusRequest>, CancellationToken) method

deleted

GetIndex(IGetIndexRequest) method

deleted

GetIndex(Indices, Func<GetIndexDescriptor, IGetIndexRequest>) method

deleted

GetIndexAsync(IGetIndexRequest, CancellationToken) method

deleted

GetIndexAsync(Indices, Func<GetIndexDescriptor, IGetIndexRequest>, CancellationToken) method

deleted

GetIndexSettings(IGetIndexSettingsRequest) method

deleted

GetIndexSettings(Func<GetIndexSettingsDescriptor, IGetIndexSettingsRequest>) method

deleted

GetIndexSettingsAsync(IGetIndexSettingsRequest, CancellationToken) method

deleted

GetIndexSettingsAsync(Func<GetIndexSettingsDescriptor, IGetIndexSettingsRequest>, CancellationToken) method

deleted

GetIndexTemplate(IGetIndexTemplateRequest) method

deleted

GetIndexTemplate(Func<GetIndexTemplateDescriptor, IGetIndexTemplateRequest>) method

deleted

GetIndexTemplateAsync(IGetIndexTemplateRequest, CancellationToken) method

deleted

GetIndexTemplateAsync(Func<GetIndexTemplateDescriptor, IGetIndexTemplateRequest>, CancellationToken) method

deleted

GetInfluencers(Id, Func<GetInfluencersDescriptor, IGetInfluencersRequest>) method

deleted

GetInfluencers(IGetInfluencersRequest) method

deleted

GetInfluencersAsync(Id, Func<GetInfluencersDescriptor, IGetInfluencersRequest>, CancellationToken) method

deleted

GetInfluencersAsync(IGetInfluencersRequest, CancellationToken) method

deleted

GetJobs(IGetJobsRequest) method

deleted

GetJobs(Func<GetJobsDescriptor, IGetJobsRequest>) method

deleted

GetJobsAsync(IGetJobsRequest, CancellationToken) method

deleted

GetJobsAsync(Func<GetJobsDescriptor, IGetJobsRequest>, CancellationToken) method

deleted

GetJobStats(IGetJobStatsRequest) method

deleted

GetJobStats(Func<GetJobStatsDescriptor, IGetJobStatsRequest>) method

deleted

GetJobStatsAsync(IGetJobStatsRequest, CancellationToken) method

deleted

GetJobStatsAsync(Func<GetJobStatsDescriptor, IGetJobStatsRequest>, CancellationToken) method

deleted

GetLicense(IGetLicenseRequest) method

deleted

GetLicense(Func<GetLicenseDescriptor, IGetLicenseRequest>) method

deleted

GetLicenseAsync(IGetLicenseRequest, CancellationToken) method

deleted

GetLicenseAsync(Func<GetLicenseDescriptor, IGetLicenseRequest>, CancellationToken) method

deleted

GetLifecycle(IGetLifecycleRequest) method

deleted

GetLifecycle(Func<GetLifecycleDescriptor, IGetLifecycleRequest>) method

deleted

GetLifecycleAsync(IGetLifecycleRequest, CancellationToken) method

deleted

GetLifecycleAsync(Func<GetLifecycleDescriptor, IGetLifecycleRequest>, CancellationToken) method

deleted

GetMapping(IGetMappingRequest) method

deleted

GetMapping<T>(Func<GetMappingDescriptor<T>, IGetMappingRequest>) method

deleted

GetMappingAsync(IGetMappingRequest, CancellationToken) method

deleted

GetMappingAsync<T>(Func<GetMappingDescriptor<T>, IGetMappingRequest>, CancellationToken) method

deleted

GetModelSnapshots(Id, Func<GetModelSnapshotsDescriptor, IGetModelSnapshotsRequest>) method

deleted

GetModelSnapshots(IGetModelSnapshotsRequest) method

deleted

GetModelSnapshotsAsync(Id, Func<GetModelSnapshotsDescriptor, IGetModelSnapshotsRequest>, CancellationToken) method

deleted

GetModelSnapshotsAsync(IGetModelSnapshotsRequest, CancellationToken) method

deleted

GetOverallBuckets(Id, Func<GetOverallBucketsDescriptor, IGetOverallBucketsRequest>) method

deleted

GetOverallBuckets(IGetOverallBucketsRequest) method

deleted

GetOverallBucketsAsync(Id, Func<GetOverallBucketsDescriptor, IGetOverallBucketsRequest>, CancellationToken) method

deleted

GetOverallBucketsAsync(IGetOverallBucketsRequest, CancellationToken) method

deleted

GetPipeline(IGetPipelineRequest) method

deleted

GetPipeline(Func<GetPipelineDescriptor, IGetPipelineRequest>) method

deleted

GetPipelineAsync(IGetPipelineRequest, CancellationToken) method

deleted

GetPipelineAsync(Func<GetPipelineDescriptor, IGetPipelineRequest>, CancellationToken) method

deleted

GetPrivileges(IGetPrivilegesRequest) method

deleted

GetPrivileges(Func<GetPrivilegesDescriptor, IGetPrivilegesRequest>) method

deleted

GetPrivilegesAsync(IGetPrivilegesRequest, CancellationToken) method

deleted

GetPrivilegesAsync(Func<GetPrivilegesDescriptor, IGetPrivilegesRequest>, CancellationToken) method

deleted

GetRepository(IGetRepositoryRequest) method

deleted

GetRepository(Func<GetRepositoryDescriptor, IGetRepositoryRequest>) method

deleted

GetRepositoryAsync(IGetRepositoryRequest, CancellationToken) method

deleted

GetRepositoryAsync(Func<GetRepositoryDescriptor, IGetRepositoryRequest>, CancellationToken) method

deleted

GetRole(IGetRoleRequest) method

deleted

GetRole(Func<GetRoleDescriptor, IGetRoleRequest>) method

deleted

GetRoleAsync(IGetRoleRequest, CancellationToken) method

deleted

GetRoleAsync(Func<GetRoleDescriptor, IGetRoleRequest>, CancellationToken) method

deleted

GetRoleMapping(IGetRoleMappingRequest) method

deleted

GetRoleMapping(Func<GetRoleMappingDescriptor, IGetRoleMappingRequest>) method

deleted

GetRoleMappingAsync(IGetRoleMappingRequest, CancellationToken) method

deleted

GetRoleMappingAsync(Func<GetRoleMappingDescriptor, IGetRoleMappingRequest>, CancellationToken) method

deleted

GetRollupCapabilities(IGetRollupCapabilitiesRequest) method

deleted

GetRollupCapabilities(Func<GetRollupCapabilitiesDescriptor, IGetRollupCapabilitiesRequest>) method

deleted

GetRollupCapabilitiesAsync(IGetRollupCapabilitiesRequest, CancellationToken) method

deleted

GetRollupCapabilitiesAsync(Func<GetRollupCapabilitiesDescriptor, IGetRollupCapabilitiesRequest>, CancellationToken) method

deleted

GetRollupIndexCapabilities(IGetRollupIndexCapabilitiesRequest) method

deleted

GetRollupIndexCapabilities(IndexName, Func<GetRollupIndexCapabilitiesDescriptor, IGetRollupIndexCapabilitiesRequest>) method

deleted

GetRollupIndexCapabilitiesAsync(IGetRollupIndexCapabilitiesRequest, CancellationToken) method

deleted

GetRollupIndexCapabilitiesAsync(IndexName, Func<GetRollupIndexCapabilitiesDescriptor, IGetRollupIndexCapabilitiesRequest>, CancellationToken) method

deleted

GetRollupJob(IGetRollupJobRequest) method

deleted

GetRollupJob(Func<GetRollupJobDescriptor, IGetRollupJobRequest>) method

deleted

GetRollupJobAsync(IGetRollupJobRequest, CancellationToken) method

deleted

GetRollupJobAsync(Func<GetRollupJobDescriptor, IGetRollupJobRequest>, CancellationToken) method

deleted

GetScript(Id, Func<GetScriptDescriptor, IGetScriptRequest>) method

Member type changed from IGetScriptResponse to GetScriptResponse.

GetScript(IGetScriptRequest) method

Member type changed from IGetScriptResponse to GetScriptResponse.

GetScriptAsync(Id, Func<GetScriptDescriptor, IGetScriptRequest>, CancellationToken) method

Member type changed from Task<IGetScriptResponse> to Task<GetScriptResponse>.

GetScriptAsync(IGetScriptRequest, CancellationToken) method

Member type changed from Task<IGetScriptResponse> to Task<GetScriptResponse>.

GetSnapshot(IGetSnapshotRequest) method

deleted

GetSnapshot(Name, Names, Func<GetSnapshotDescriptor, IGetSnapshotRequest>) method

deleted

GetSnapshotAsync(IGetSnapshotRequest, CancellationToken) method

deleted

GetSnapshotAsync(Name, Names, Func<GetSnapshotDescriptor, IGetSnapshotRequest>, CancellationToken) method

deleted

GetTask(IGetTaskRequest) method

deleted

GetTask(TaskId, Func<GetTaskDescriptor, IGetTaskRequest>) method

deleted

GetTaskAsync(IGetTaskRequest, CancellationToken) method

deleted

GetTaskAsync(TaskId, Func<GetTaskDescriptor, IGetTaskRequest>, CancellationToken) method

deleted

GetTrialLicenseStatus(IGetTrialLicenseStatusRequest) method

deleted

GetTrialLicenseStatus(Func<GetTrialLicenseStatusDescriptor, IGetTrialLicenseStatusRequest>) method

deleted

GetTrialLicenseStatusAsync(IGetTrialLicenseStatusRequest, CancellationToken) method

deleted

GetTrialLicenseStatusAsync(Func<GetTrialLicenseStatusDescriptor, IGetTrialLicenseStatusRequest>, CancellationToken) method

deleted

GetUser(IGetUserRequest) method

deleted

GetUser(Func<GetUserDescriptor, IGetUserRequest>) method

deleted

GetUserAccessToken(IGetUserAccessTokenRequest) method

deleted

GetUserAccessToken(String, String, Func<GetUserAccessTokenDescriptor, IGetUserAccessTokenRequest>) method

deleted

GetUserAccessTokenAsync(IGetUserAccessTokenRequest, CancellationToken) method

deleted

GetUserAccessTokenAsync(String, String, Func<GetUserAccessTokenDescriptor, IGetUserAccessTokenRequest>, CancellationToken) method

deleted

GetUserAsync(IGetUserRequest, CancellationToken) method

deleted

GetUserAsync(Func<GetUserDescriptor, IGetUserRequest>, CancellationToken) method

deleted

GetUserPrivileges(IGetUserPrivilegesRequest) method

deleted

GetUserPrivileges(Func<GetUserPrivilegesDescriptor, IGetUserPrivilegesRequest>) method

deleted

GetUserPrivilegesAsync(IGetUserPrivilegesRequest, CancellationToken) method

deleted

GetUserPrivilegesAsync(Func<GetUserPrivilegesDescriptor, IGetUserPrivilegesRequest>, CancellationToken) method

deleted

GetWatch(Id, Func<GetWatchDescriptor, IGetWatchRequest>) method

deleted

GetWatch(IGetWatchRequest) method

deleted

GetWatchAsync(Id, Func<GetWatchDescriptor, IGetWatchRequest>, CancellationToken) method

deleted

GetWatchAsync(IGetWatchRequest, CancellationToken) method

deleted

GraphExplore(IGraphExploreRequest) method

deleted

GraphExplore<T>(Func<GraphExploreDescriptor<T>, IGraphExploreRequest>) method

deleted

GraphExploreAsync(IGraphExploreRequest, CancellationToken) method

deleted

GraphExploreAsync<T>(Func<GraphExploreDescriptor<T>, IGraphExploreRequest>, CancellationToken) method

deleted

GrokProcessorPatterns(IGrokProcessorPatternsRequest) method

deleted

GrokProcessorPatterns(Func<GrokProcessorPatternsDescriptor, IGrokProcessorPatternsRequest>) method

deleted

GrokProcessorPatternsAsync(IGrokProcessorPatternsRequest, CancellationToken) method

deleted

GrokProcessorPatternsAsync(Func<GrokProcessorPatternsDescriptor, IGrokProcessorPatternsRequest>, CancellationToken) method

deleted

HasPrivileges(IHasPrivilegesRequest) method

deleted

HasPrivileges(Func<HasPrivilegesDescriptor, IHasPrivilegesRequest>) method

deleted

HasPrivilegesAsync(IHasPrivilegesRequest, CancellationToken) method

deleted

HasPrivilegesAsync(Func<HasPrivilegesDescriptor, IHasPrivilegesRequest>, CancellationToken) method

deleted

Index<T>(IIndexRequest<T>) method

deleted

Index<TDocument>(IIndexRequest<TDocument>) method

added

Index<T>(T, Func<IndexDescriptor<T>, IIndexRequest<T>>) method

deleted

Index<TDocument>(TDocument, Func<IndexDescriptor<TDocument>, IIndexRequest<TDocument>>) method

added

IndexAsync<T>(IIndexRequest<T>, CancellationToken) method

deleted

IndexAsync<TDocument>(IIndexRequest<TDocument>, CancellationToken) method

added

IndexAsync<T>(T, Func<IndexDescriptor<T>, IIndexRequest<T>>, CancellationToken) method

deleted

IndexAsync<TDocument>(TDocument, Func<IndexDescriptor<TDocument>, IIndexRequest<TDocument>>, CancellationToken) method

added

IndexDocument<T>(T) method

deleted

IndexDocument<TDocument>(TDocument) method

added

IndexDocumentAsync<T>(T, CancellationToken) method

Member type changed from Task<IIndexResponse> to Task<IndexResponse>.

IndexExists(IIndexExistsRequest) method

deleted

IndexExists(Indices, Func<IndexExistsDescriptor, IIndexExistsRequest>) method

deleted

IndexExistsAsync(IIndexExistsRequest, CancellationToken) method

deleted

IndexExistsAsync(Indices, Func<IndexExistsDescriptor, IIndexExistsRequest>, CancellationToken) method

deleted

IndexTemplateExists(IIndexTemplateExistsRequest) method

deleted

IndexTemplateExists(Name, Func<IndexTemplateExistsDescriptor, IIndexTemplateExistsRequest>) method

deleted

IndexTemplateExistsAsync(IIndexTemplateExistsRequest, CancellationToken) method

deleted

IndexTemplateExistsAsync(Name, Func<IndexTemplateExistsDescriptor, IIndexTemplateExistsRequest>, CancellationToken) method

deleted

IndicesShardStores(IIndicesShardStoresRequest) method

deleted

IndicesShardStores(Func<IndicesShardStoresDescriptor, IIndicesShardStoresRequest>) method

deleted

IndicesShardStoresAsync(IIndicesShardStoresRequest, CancellationToken) method

deleted

IndicesShardStoresAsync(Func<IndicesShardStoresDescriptor, IIndicesShardStoresRequest>, CancellationToken) method

deleted

IndicesStats(IIndicesStatsRequest) method

deleted

IndicesStats(Indices, Func<IndicesStatsDescriptor, IIndicesStatsRequest>) method

deleted

IndicesStatsAsync(IIndicesStatsRequest, CancellationToken) method

deleted

IndicesStatsAsync(Indices, Func<IndicesStatsDescriptor, IIndicesStatsRequest>, CancellationToken) method

deleted

InvalidateApiKey(IInvalidateApiKeyRequest) method

deleted

InvalidateApiKey(Func<InvalidateApiKeyDescriptor, IInvalidateApiKeyRequest>) method

deleted

InvalidateApiKeyAsync(IInvalidateApiKeyRequest, CancellationToken) method

deleted

InvalidateApiKeyAsync(Func<InvalidateApiKeyDescriptor, IInvalidateApiKeyRequest>, CancellationToken) method

deleted

InvalidateUserAccessToken(IInvalidateUserAccessTokenRequest) method

deleted

InvalidateUserAccessToken(String, Func<InvalidateUserAccessTokenDescriptor, IInvalidateUserAccessTokenRequest>) method

deleted

InvalidateUserAccessTokenAsync(IInvalidateUserAccessTokenRequest, CancellationToken) method

deleted

InvalidateUserAccessTokenAsync(String, Func<InvalidateUserAccessTokenDescriptor, IInvalidateUserAccessTokenRequest>, CancellationToken) method

deleted

ListTasks(IListTasksRequest) method

deleted

ListTasks(Func<ListTasksDescriptor, IListTasksRequest>) method

deleted

ListTasksAsync(IListTasksRequest, CancellationToken) method

deleted

ListTasksAsync(Func<ListTasksDescriptor, IListTasksRequest>, CancellationToken) method

deleted

MachineLearningInfo(IMachineLearningInfoRequest) method

deleted

MachineLearningInfo(Func<MachineLearningInfoDescriptor, IMachineLearningInfoRequest>) method

deleted

MachineLearningInfoAsync(IMachineLearningInfoRequest, CancellationToken) method

deleted

MachineLearningInfoAsync(Func<MachineLearningInfoDescriptor, IMachineLearningInfoRequest>, CancellationToken) method

deleted

Map(IPutMappingRequest) method

Member type changed from IPutMappingResponse to PutMappingResponse.

Map<T>(Func<PutMappingDescriptor<T>, IPutMappingRequest>) method

Member type changed from IPutMappingResponse to PutMappingResponse.

MapAsync(IPutMappingRequest, CancellationToken) method

Member type changed from Task<IPutMappingResponse> to Task<PutMappingResponse>.

MapAsync<T>(Func<PutMappingDescriptor<T>, IPutMappingRequest>, CancellationToken) method

Member type changed from Task<IPutMappingResponse> to Task<PutMappingResponse>.

MigrationAssistance(IMigrationAssistanceRequest) method

deleted

MigrationAssistance(Func<MigrationAssistanceDescriptor, IMigrationAssistanceRequest>) method

deleted

MigrationAssistanceAsync(IMigrationAssistanceRequest, CancellationToken) method

deleted

MigrationAssistanceAsync(Func<MigrationAssistanceDescriptor, IMigrationAssistanceRequest>, CancellationToken) method

deleted

MigrationUpgrade(IMigrationUpgradeRequest) method

deleted

MigrationUpgrade(IndexName, Func<MigrationUpgradeDescriptor, IMigrationUpgradeRequest>) method

deleted

MigrationUpgradeAsync(IMigrationUpgradeRequest, CancellationToken) method

deleted

MigrationUpgradeAsync(IndexName, Func<MigrationUpgradeDescriptor, IMigrationUpgradeRequest>, CancellationToken) method

deleted

MoveToStep(IMoveToStepRequest) method

deleted

MoveToStep(IndexName, Func<MoveToStepDescriptor, IMoveToStepRequest>) method

deleted

MoveToStepAsync(IMoveToStepRequest, CancellationToken) method

deleted

MoveToStepAsync(IndexName, Func<MoveToStepDescriptor, IMoveToStepRequest>, CancellationToken) method

deleted

MultiGet(IMultiGetRequest) method

Member type changed from IMultiGetResponse to MultiGetResponse.

MultiGet(Func<MultiGetDescriptor, IMultiGetRequest>) method

Member type changed from IMultiGetResponse to MultiGetResponse.

MultiGetAsync(IMultiGetRequest, CancellationToken) method

Member type changed from Task<IMultiGetResponse> to Task<MultiGetResponse>.

MultiGetAsync(Func<MultiGetDescriptor, IMultiGetRequest>, CancellationToken) method

Member type changed from Task<IMultiGetResponse> to Task<MultiGetResponse>.

MultiSearch(IMultiSearchRequest) method

Member type changed from IMultiSearchResponse to MultiSearchResponse.

MultiSearch(Indices, Func<MultiSearchDescriptor, IMultiSearchRequest>) method

added

MultiSearch(Func<MultiSearchDescriptor, IMultiSearchRequest>) method

deleted

MultiSearchAsync(IMultiSearchRequest, CancellationToken) method

Member type changed from Task<IMultiSearchResponse> to Task<MultiSearchResponse>.

MultiSearchAsync(Indices, Func<MultiSearchDescriptor, IMultiSearchRequest>, CancellationToken) method

added

MultiSearchAsync(Func<MultiSearchDescriptor, IMultiSearchRequest>, CancellationToken) method

deleted

MultiSearchTemplate(IMultiSearchTemplateRequest) method

Member type changed from IMultiSearchResponse to MultiSearchResponse.

MultiSearchTemplate(Indices, Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>) method

added

MultiSearchTemplate(Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>) method

deleted

MultiSearchTemplateAsync(IMultiSearchTemplateRequest, CancellationToken) method

Member type changed from Task<IMultiSearchResponse> to Task<MultiSearchResponse>.

MultiSearchTemplateAsync(Indices, Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>, CancellationToken) method

added

MultiSearchTemplateAsync(Func<MultiSearchTemplateDescriptor, IMultiSearchTemplateRequest>, CancellationToken) method

deleted

MultiTermVectors(IMultiTermVectorsRequest) method

Member type changed from IMultiTermVectorsResponse to MultiTermVectorsResponse.

MultiTermVectors(Func<MultiTermVectorsDescriptor, IMultiTermVectorsRequest>) method

Member type changed from IMultiTermVectorsResponse to MultiTermVectorsResponse.

MultiTermVectorsAsync(IMultiTermVectorsRequest, CancellationToken) method

Member type changed from Task<IMultiTermVectorsResponse> to Task<MultiTermVectorsResponse>.

MultiTermVectorsAsync(Func<MultiTermVectorsDescriptor, IMultiTermVectorsRequest>, CancellationToken) method

Member type changed from Task<IMultiTermVectorsResponse> to Task<MultiTermVectorsResponse>.

NodesHotThreads(INodesHotThreadsRequest) method

deleted

NodesHotThreads(Func<NodesHotThreadsDescriptor, INodesHotThreadsRequest>) method

deleted

NodesHotThreadsAsync(INodesHotThreadsRequest, CancellationToken) method

deleted

NodesHotThreadsAsync(Func<NodesHotThreadsDescriptor, INodesHotThreadsRequest>, CancellationToken) method

deleted

NodesInfo(INodesInfoRequest) method

deleted

NodesInfo(Func<NodesInfoDescriptor, INodesInfoRequest>) method

deleted

NodesInfoAsync(INodesInfoRequest, CancellationToken) method

deleted

NodesInfoAsync(Func<NodesInfoDescriptor, INodesInfoRequest>, CancellationToken) method

deleted

NodesStats(INodesStatsRequest) method

deleted

NodesStats(Func<NodesStatsDescriptor, INodesStatsRequest>) method

deleted

NodesStatsAsync(INodesStatsRequest, CancellationToken) method

deleted

NodesStatsAsync(Func<NodesStatsDescriptor, INodesStatsRequest>, CancellationToken) method

deleted

NodesUsage(INodesUsageRequest) method

deleted

NodesUsage(Func<NodesUsageDescriptor, INodesUsageRequest>) method

deleted

NodesUsageAsync(INodesUsageRequest, CancellationToken) method

deleted

NodesUsageAsync(Func<NodesUsageDescriptor, INodesUsageRequest>, CancellationToken) method

deleted

OpenIndex(Indices, Func<OpenIndexDescriptor, IOpenIndexRequest>) method

deleted

OpenIndex(IOpenIndexRequest) method

deleted

OpenIndexAsync(Indices, Func<OpenIndexDescriptor, IOpenIndexRequest>, CancellationToken) method

deleted

OpenIndexAsync(IOpenIndexRequest, CancellationToken) method

deleted

OpenJob(Id, Func<OpenJobDescriptor, IOpenJobRequest>) method

deleted

OpenJob(IOpenJobRequest) method

deleted

OpenJobAsync(Id, Func<OpenJobDescriptor, IOpenJobRequest>, CancellationToken) method

deleted

OpenJobAsync(IOpenJobRequest, CancellationToken) method

deleted

PauseFollowIndex(IndexName, Func<PauseFollowIndexDescriptor, IPauseFollowIndexRequest>) method

deleted

PauseFollowIndex(IPauseFollowIndexRequest) method

deleted

PauseFollowIndexAsync(IndexName, Func<PauseFollowIndexDescriptor, IPauseFollowIndexRequest>, CancellationToken) method

deleted

PauseFollowIndexAsync(IPauseFollowIndexRequest, CancellationToken) method

deleted

Ping(IPingRequest) method

Member type changed from IPingResponse to PingResponse.

Ping(Func<PingDescriptor, IPingRequest>) method

Member type changed from IPingResponse to PingResponse.

PingAsync(IPingRequest, CancellationToken) method

Member type changed from Task<IPingResponse> to Task<PingResponse>.

PingAsync(Func<PingDescriptor, IPingRequest>, CancellationToken) method

Member type changed from Task<IPingResponse> to Task<PingResponse>.

PostCalendarEvents(Id, Func<PostCalendarEventsDescriptor, IPostCalendarEventsRequest>) method

deleted

PostCalendarEvents(IPostCalendarEventsRequest) method

deleted

PostCalendarEventsAsync(Id, Func<PostCalendarEventsDescriptor, IPostCalendarEventsRequest>, CancellationToken) method

deleted

PostCalendarEventsAsync(IPostCalendarEventsRequest, CancellationToken) method

deleted

PostJobData(Id, Func<PostJobDataDescriptor, IPostJobDataRequest>) method

deleted

PostJobData(IPostJobDataRequest) method

deleted

PostJobDataAsync(Id, Func<PostJobDataDescriptor, IPostJobDataRequest>, CancellationToken) method

deleted

PostJobDataAsync(IPostJobDataRequest, CancellationToken) method

deleted

PostLicense(IPostLicenseRequest) method

deleted

PostLicense(Func<PostLicenseDescriptor, IPostLicenseRequest>) method

deleted

PostLicenseAsync(IPostLicenseRequest, CancellationToken) method

deleted

PostLicenseAsync(Func<PostLicenseDescriptor, IPostLicenseRequest>, CancellationToken) method

deleted

PreviewDatafeed<T>(Id, Func<PreviewDatafeedDescriptor, IPreviewDatafeedRequest>) method

deleted

PreviewDatafeed<T>(IPreviewDatafeedRequest) method

deleted

PreviewDatafeedAsync<T>(Id, Func<PreviewDatafeedDescriptor, IPreviewDatafeedRequest>, CancellationToken) method

deleted

PreviewDatafeedAsync<T>(IPreviewDatafeedRequest, CancellationToken) method

deleted

PutAlias(Indices, Name, Func<PutAliasDescriptor, IPutAliasRequest>) method

deleted

PutAlias(IPutAliasRequest) method

deleted

PutAliasAsync(Indices, Name, Func<PutAliasDescriptor, IPutAliasRequest>, CancellationToken) method

deleted

PutAliasAsync(IPutAliasRequest, CancellationToken) method

deleted

PutCalendar(Id, Func<PutCalendarDescriptor, IPutCalendarRequest>) method

deleted

PutCalendar(IPutCalendarRequest) method

deleted

PutCalendarAsync(Id, Func<PutCalendarDescriptor, IPutCalendarRequest>, CancellationToken) method

deleted

PutCalendarAsync(IPutCalendarRequest, CancellationToken) method

deleted

PutCalendarJob(Id, Id, Func<PutCalendarJobDescriptor, IPutCalendarJobRequest>) method

deleted

PutCalendarJob(IPutCalendarJobRequest) method

deleted

PutCalendarJobAsync(Id, Id, Func<PutCalendarJobDescriptor, IPutCalendarJobRequest>, CancellationToken) method

deleted

PutCalendarJobAsync(IPutCalendarJobRequest, CancellationToken) method

deleted

PutDatafeed<T>(Id, Func<PutDatafeedDescriptor<T>, IPutDatafeedRequest>) method

deleted

PutDatafeed(IPutDatafeedRequest) method

deleted

PutDatafeedAsync<T>(Id, Func<PutDatafeedDescriptor<T>, IPutDatafeedRequest>, CancellationToken) method

deleted

PutDatafeedAsync(IPutDatafeedRequest, CancellationToken) method

deleted

PutFilter(Id, Func<PutFilterDescriptor, IPutFilterRequest>) method

deleted

PutFilter(IPutFilterRequest) method

deleted

PutFilterAsync(Id, Func<PutFilterDescriptor, IPutFilterRequest>, CancellationToken) method

deleted

PutFilterAsync(IPutFilterRequest, CancellationToken) method

deleted

PutIndexTemplate(IPutIndexTemplateRequest) method

deleted

PutIndexTemplate(Name, Func<PutIndexTemplateDescriptor, IPutIndexTemplateRequest>) method

deleted

PutIndexTemplateAsync(IPutIndexTemplateRequest, CancellationToken) method

deleted

PutIndexTemplateAsync(Name, Func<PutIndexTemplateDescriptor, IPutIndexTemplateRequest>, CancellationToken) method

deleted

PutJob<T>(Id, Func<PutJobDescriptor<T>, IPutJobRequest>) method

deleted

PutJob(IPutJobRequest) method

deleted

PutJobAsync<T>(Id, Func<PutJobDescriptor<T>, IPutJobRequest>, CancellationToken) method

deleted

PutJobAsync(IPutJobRequest, CancellationToken) method

deleted

PutLifecycle(IPutLifecycleRequest) method

deleted

PutLifecycle(PolicyId, Func<PutLifecycleDescriptor, IPutLifecycleRequest>) method

deleted

PutLifecycleAsync(IPutLifecycleRequest, CancellationToken) method

deleted

PutLifecycleAsync(PolicyId, Func<PutLifecycleDescriptor, IPutLifecycleRequest>, CancellationToken) method

deleted

PutPipeline(Id, Func<PutPipelineDescriptor, IPutPipelineRequest>) method

deleted

PutPipeline(IPutPipelineRequest) method

deleted

PutPipelineAsync(Id, Func<PutPipelineDescriptor, IPutPipelineRequest>, CancellationToken) method

deleted

PutPipelineAsync(IPutPipelineRequest, CancellationToken) method

deleted

PutPrivileges(IPutPrivilegesRequest) method

deleted

PutPrivileges(Func<PutPrivilegesDescriptor, IPutPrivilegesRequest>) method

deleted

PutPrivilegesAsync(IPutPrivilegesRequest, CancellationToken) method

deleted

PutPrivilegesAsync(Func<PutPrivilegesDescriptor, IPutPrivilegesRequest>, CancellationToken) method

deleted

PutRole(IPutRoleRequest) method

deleted

PutRole(Name, Func<PutRoleDescriptor, IPutRoleRequest>) method

deleted

PutRoleAsync(IPutRoleRequest, CancellationToken) method

deleted

PutRoleAsync(Name, Func<PutRoleDescriptor, IPutRoleRequest>, CancellationToken) method

deleted

PutRoleMapping(IPutRoleMappingRequest) method

deleted

PutRoleMapping(Name, Func<PutRoleMappingDescriptor, IPutRoleMappingRequest>) method

deleted

PutRoleMappingAsync(IPutRoleMappingRequest, CancellationToken) method

deleted

PutRoleMappingAsync(Name, Func<PutRoleMappingDescriptor, IPutRoleMappingRequest>, CancellationToken) method

deleted

PutScript(Id, Func<PutScriptDescriptor, IPutScriptRequest>) method

Member type changed from IPutScriptResponse to PutScriptResponse.

PutScript(IPutScriptRequest) method

Member type changed from IPutScriptResponse to PutScriptResponse.

PutScriptAsync(Id, Func<PutScriptDescriptor, IPutScriptRequest>, CancellationToken) method

Member type changed from Task<IPutScriptResponse> to Task<PutScriptResponse>.

PutScriptAsync(IPutScriptRequest, CancellationToken) method

Member type changed from Task<IPutScriptResponse> to Task<PutScriptResponse>.

PutUser(IPutUserRequest) method

deleted

PutUser(Name, Func<PutUserDescriptor, IPutUserRequest>) method

deleted

PutUserAsync(IPutUserRequest, CancellationToken) method

deleted

PutUserAsync(Name, Func<PutUserDescriptor, IPutUserRequest>, CancellationToken) method

deleted

PutWatch(Id, Func<PutWatchDescriptor, IPutWatchRequest>) method

deleted

PutWatch(IPutWatchRequest) method

deleted

PutWatchAsync(Id, Func<PutWatchDescriptor, IPutWatchRequest>, CancellationToken) method

deleted

PutWatchAsync(IPutWatchRequest, CancellationToken) method

deleted

QuerySql(IQuerySqlRequest) method

deleted

QuerySql(Func<QuerySqlDescriptor, IQuerySqlRequest>) method

deleted

QuerySqlAsync(IQuerySqlRequest, CancellationToken) method

deleted

QuerySqlAsync(Func<QuerySqlDescriptor, IQuerySqlRequest>, CancellationToken) method

deleted

RecoveryStatus(Indices, Func<RecoveryStatusDescriptor, IRecoveryStatusRequest>) method

deleted

RecoveryStatus(IRecoveryStatusRequest) method

deleted

RecoveryStatusAsync(Indices, Func<RecoveryStatusDescriptor, IRecoveryStatusRequest>, CancellationToken) method

deleted

RecoveryStatusAsync(IRecoveryStatusRequest, CancellationToken) method

deleted

Refresh(Indices, Func<RefreshDescriptor, IRefreshRequest>) method

deleted

Refresh(IRefreshRequest) method

deleted

RefreshAsync(Indices, Func<RefreshDescriptor, IRefreshRequest>, CancellationToken) method

deleted

RefreshAsync(IRefreshRequest, CancellationToken) method

deleted

Reindex<TSource>(IndexName, IndexName, Func<QueryContainerDescriptor<TSource>, QueryContainer>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource, TTarget>(IndexName, IndexName, Func<TSource, TTarget>, Func<QueryContainerDescriptor<TSource>, QueryContainer>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource>(IReindexRequest<TSource>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource, TTarget>(IReindexRequest<TSource, TTarget>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource>(Func<ReindexDescriptor<TSource, TSource>, IReindexRequest<TSource, TSource>>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

Reindex<TSource, TTarget>(Func<TSource, TTarget>, Func<ReindexDescriptor<TSource, TTarget>, IReindexRequest<TSource, TTarget>>, CancellationToken) method

Member type changed from IObservable<IBulkAllResponse> to IObservable<BulkAllResponse>.

ReindexOnServer(IReindexOnServerRequest) method

Member type changed from IReindexOnServerResponse to ReindexOnServerResponse.

ReindexOnServer(Func<ReindexOnServerDescriptor, IReindexOnServerRequest>) method

Member type changed from IReindexOnServerResponse to ReindexOnServerResponse.

ReindexOnServerAsync(IReindexOnServerRequest, CancellationToken) method

Member type changed from Task<IReindexOnServerResponse> to Task<ReindexOnServerResponse>.

ReindexOnServerAsync(Func<ReindexOnServerDescriptor, IReindexOnServerRequest>, CancellationToken) method

Member type changed from Task<IReindexOnServerResponse> to Task<ReindexOnServerResponse>.

ReindexRethrottle(IReindexRethrottleRequest) method

added

ReindexRethrottle(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>) method

added

ReindexRethrottleAsync(IReindexRethrottleRequest, CancellationToken) method

added

ReindexRethrottleAsync(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>, CancellationToken) method

added

ReloadSecureSettings(IReloadSecureSettingsRequest) method

deleted

ReloadSecureSettings(Func<ReloadSecureSettingsDescriptor, IReloadSecureSettingsRequest>) method

deleted

ReloadSecureSettingsAsync(IReloadSecureSettingsRequest, CancellationToken) method

deleted

ReloadSecureSettingsAsync(Func<ReloadSecureSettingsDescriptor, IReloadSecureSettingsRequest>, CancellationToken) method

deleted

RemoteInfo(IRemoteInfoRequest) method

deleted

RemoteInfo(Func<RemoteInfoDescriptor, IRemoteInfoRequest>) method

deleted

RemoteInfoAsync(IRemoteInfoRequest, CancellationToken) method

deleted

RemoteInfoAsync(Func<RemoteInfoDescriptor, IRemoteInfoRequest>, CancellationToken) method

deleted

RemovePolicy(IndexName, Func<RemovePolicyDescriptor, IRemovePolicyRequest>) method

deleted

RemovePolicy(IRemovePolicyRequest) method

deleted

RemovePolicyAsync(IndexName, Func<RemovePolicyDescriptor, IRemovePolicyRequest>, CancellationToken) method

deleted

RemovePolicyAsync(IRemovePolicyRequest, CancellationToken) method

deleted

RenderSearchTemplate(IRenderSearchTemplateRequest) method

Member type changed from IRenderSearchTemplateResponse to RenderSearchTemplateResponse.

RenderSearchTemplate(Func<RenderSearchTemplateDescriptor, IRenderSearchTemplateRequest>) method

Member type changed from IRenderSearchTemplateResponse to RenderSearchTemplateResponse.

RenderSearchTemplateAsync(IRenderSearchTemplateRequest, CancellationToken) method

Member type changed from Task<IRenderSearchTemplateResponse> to Task<RenderSearchTemplateResponse>.

RenderSearchTemplateAsync(Func<RenderSearchTemplateDescriptor, IRenderSearchTemplateRequest>, CancellationToken) method

Member type changed from Task<IRenderSearchTemplateResponse> to Task<RenderSearchTemplateResponse>.

RestartWatcher(IRestartWatcherRequest) method

deleted

RestartWatcher(Func<RestartWatcherDescriptor, IRestartWatcherRequest>) method

deleted

RestartWatcherAsync(IRestartWatcherRequest, CancellationToken) method

deleted

RestartWatcherAsync(Func<RestartWatcherDescriptor, IRestartWatcherRequest>, CancellationToken) method

deleted

Restore(IRestoreRequest) method

deleted

Restore(Name, Name, Func<RestoreDescriptor, IRestoreRequest>) method

deleted

RestoreAsync(IRestoreRequest, CancellationToken) method

deleted

RestoreAsync(Name, Name, Func<RestoreDescriptor, IRestoreRequest>, CancellationToken) method

deleted

RestoreObservable(Name, Name, TimeSpan, Func<RestoreDescriptor, IRestoreRequest>) method

deleted

RestoreObservable(TimeSpan, IRestoreRequest) method

deleted

ResumeFollowIndex(IndexName, Func<ResumeFollowIndexDescriptor, IResumeFollowIndexRequest>) method

deleted

ResumeFollowIndex(IResumeFollowIndexRequest) method

deleted

ResumeFollowIndexAsync(IndexName, Func<ResumeFollowIndexDescriptor, IResumeFollowIndexRequest>, CancellationToken) method

deleted

ResumeFollowIndexAsync(IResumeFollowIndexRequest, CancellationToken) method

deleted

Rethrottle(IReindexRethrottleRequest) method

deleted

Rethrottle(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>) method

deleted

Rethrottle(Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>) method

deleted

RethrottleAsync(IReindexRethrottleRequest, CancellationToken) method

deleted

RethrottleAsync(TaskId, Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>, CancellationToken) method

deleted

RethrottleAsync(Func<ReindexRethrottleDescriptor, IReindexRethrottleRequest>, CancellationToken) method

deleted

RetryIlm(IndexName, Func<RetryIlmDescriptor, IRetryIlmRequest>) method

deleted

RetryIlm(IRetryIlmRequest) method

deleted

RetryIlmAsync(IndexName, Func<RetryIlmDescriptor, IRetryIlmRequest>, CancellationToken) method

deleted

RetryIlmAsync(IRetryIlmRequest, CancellationToken) method

deleted

RevertModelSnapshot(Id, Id, Func<RevertModelSnapshotDescriptor, IRevertModelSnapshotRequest>) method

deleted

RevertModelSnapshot(IRevertModelSnapshotRequest) method

deleted

RevertModelSnapshotAsync(Id, Id, Func<RevertModelSnapshotDescriptor, IRevertModelSnapshotRequest>, CancellationToken) method

deleted

RevertModelSnapshotAsync(IRevertModelSnapshotRequest, CancellationToken) method

deleted

RolloverIndex(IRolloverIndexRequest) method

deleted

RolloverIndex(Name, Func<RolloverIndexDescriptor, IRolloverIndexRequest>) method

deleted

RolloverIndexAsync(IRolloverIndexRequest, CancellationToken) method

deleted

RolloverIndexAsync(Name, Func<RolloverIndexDescriptor, IRolloverIndexRequest>, CancellationToken) method

deleted

RollupSearch<T, THit>(Indices, Func<RollupSearchDescriptor<T>, IRollupSearchRequest>) method

deleted

RollupSearch<THit>(Indices, Func<RollupSearchDescriptor<THit>, IRollupSearchRequest>) method

deleted

RollupSearch<THit>(IRollupSearchRequest) method

deleted

RollupSearchAsync<T, THit>(Indices, Func<RollupSearchDescriptor<T>, IRollupSearchRequest>, CancellationToken) method

deleted

RollupSearchAsync<THit>(Indices, Func<RollupSearchDescriptor<THit>, IRollupSearchRequest>, CancellationToken) method

deleted

RollupSearchAsync<THit>(IRollupSearchRequest, CancellationToken) method

deleted

RootNodeInfo(IRootNodeInfoRequest) method

Member type changed from IRootNodeInfoResponse to RootNodeInfoResponse.

RootNodeInfo(Func<RootNodeInfoDescriptor, IRootNodeInfoRequest>) method

Member type changed from IRootNodeInfoResponse to RootNodeInfoResponse.

RootNodeInfoAsync(IRootNodeInfoRequest, CancellationToken) method

Member type changed from Task<IRootNodeInfoResponse> to Task<RootNodeInfoResponse>.

RootNodeInfoAsync(Func<RootNodeInfoDescriptor, IRootNodeInfoRequest>, CancellationToken) method

Member type changed from Task<IRootNodeInfoResponse> to Task<RootNodeInfoResponse>.

Scroll<TDocument>(IScrollRequest) method

Member type changed from ISearchResponse<T> to ISearchResponse<TDocument>.

Scroll<T>(Time, String, Func<ScrollDescriptor<T>, IScrollRequest>) method

deleted

Scroll<TDocument>(Time, String, Func<ScrollDescriptor<TDocument>, IScrollRequest>) method

added

Scroll<TInferDocument, TDocument>(Time, String, Func<ScrollDescriptor<TInferDocument>, IScrollRequest>) method

added

ScrollAll<T>(IScrollAllRequest, CancellationToken) method

Member type changed from IObservable<IScrollAllResponse<T>> to IObservable<ScrollAllResponse<T>>.

ScrollAll<T>(Time, Int32, Func<ScrollAllDescriptor<T>, IScrollAllRequest>, CancellationToken) method

Member type changed from IObservable<IScrollAllResponse<T>> to IObservable<ScrollAllResponse<T>>.

ScrollAsync<TDocument>(IScrollRequest, CancellationToken) method

Member type changed from Task<ISearchResponse<T>> to Task<ISearchResponse<TDocument>>.

ScrollAsync<T>(Time, String, Func<ScrollDescriptor<T>, IScrollRequest>, CancellationToken) method

deleted

ScrollAsync<TDocument>(Time, String, Func<ScrollDescriptor<TDocument>, IScrollRequest>, CancellationToken) method

added

ScrollAsync<TInferDocument, TDocument>(Time, String, Func<ScrollDescriptor<TInferDocument>, IScrollRequest>, CancellationToken) method

added

Search<TDocument>(ISearchRequest) method

Member type changed from ISearchResponse<T> to ISearchResponse<TDocument>.

Search<T, TResult>(ISearchRequest) method

deleted

Search<T>(Func<SearchDescriptor<T>, ISearchRequest>) method

deleted

Search<T, TResult>(Func<SearchDescriptor<T>, ISearchRequest>) method

deleted

Search<TDocument>(Func<SearchDescriptor<TDocument>, ISearchRequest>) method

added

Search<TInferDocument, TDocument>(Func<SearchDescriptor<TInferDocument>, ISearchRequest>) method

added

SearchAsync<TDocument>(ISearchRequest, CancellationToken) method

Member type changed from Task<ISearchResponse<TResult>> to Task<ISearchResponse<TDocument>>.

SearchAsync<T>(ISearchRequest, CancellationToken) method

deleted

SearchAsync<T>(Func<SearchDescriptor<T>, ISearchRequest>, CancellationToken) method

deleted

SearchAsync<T, TResult>(Func<SearchDescriptor<T>, ISearchRequest>, CancellationToken) method

deleted

SearchAsync<TDocument>(Func<SearchDescriptor<TDocument>, ISearchRequest>, CancellationToken) method

added

SearchAsync<TInferDocument, TDocument>(Func<SearchDescriptor<TInferDocument>, ISearchRequest>, CancellationToken) method

added

SearchShards(ISearchShardsRequest) method

Member type changed from ISearchShardsResponse to SearchShardsResponse.

SearchShards<T>(Func<SearchShardsDescriptor<T>, ISearchShardsRequest>) method

deleted

SearchShards<TDocument>(Func<SearchShardsDescriptor<TDocument>, ISearchShardsRequest>) method

added

SearchShardsAsync(ISearchShardsRequest, CancellationToken) method

Member type changed from Task<ISearchShardsResponse> to Task<SearchShardsResponse>.

SearchShardsAsync<T>(Func<SearchShardsDescriptor<T>, ISearchShardsRequest>, CancellationToken) method

deleted

SearchShardsAsync<TDocument>(Func<SearchShardsDescriptor<TDocument>, ISearchShardsRequest>, CancellationToken) method

added

SearchTemplate<TDocument>(ISearchTemplateRequest) method

Member type changed from ISearchResponse<TResult> to ISearchResponse<TDocument>.

SearchTemplate<T>(ISearchTemplateRequest) method

deleted

SearchTemplate<T>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>) method

deleted

SearchTemplate<T, TResult>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>) method

deleted

SearchTemplate<TDocument>(Func<SearchTemplateDescriptor<TDocument>, ISearchTemplateRequest>) method

added

SearchTemplateAsync<TDocument>(ISearchTemplateRequest, CancellationToken) method

Member type changed from Task<ISearchResponse<TResult>> to Task<ISearchResponse<TDocument>>.

SearchTemplateAsync<T>(ISearchTemplateRequest, CancellationToken) method

deleted

SearchTemplateAsync<T>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>, CancellationToken) method

deleted

SearchTemplateAsync<T, TResult>(Func<SearchTemplateDescriptor<T>, ISearchTemplateRequest>, CancellationToken) method

deleted

SearchTemplateAsync<TDocument>(Func<SearchTemplateDescriptor<TDocument>, ISearchTemplateRequest>, CancellationToken) method

added

Segments(Indices, Func<SegmentsDescriptor, ISegmentsRequest>) method

deleted

Segments(ISegmentsRequest) method

deleted

SegmentsAsync(Indices, Func<SegmentsDescriptor, ISegmentsRequest>, CancellationToken) method

deleted

SegmentsAsync(ISegmentsRequest, CancellationToken) method

deleted

ShrinkIndex(IndexName, IndexName, Func<ShrinkIndexDescriptor, IShrinkIndexRequest>) method

deleted

ShrinkIndex(IShrinkIndexRequest) method

deleted

ShrinkIndexAsync(IndexName, IndexName, Func<ShrinkIndexDescriptor, IShrinkIndexRequest>, CancellationToken) method

deleted

ShrinkIndexAsync(IShrinkIndexRequest, CancellationToken) method

deleted

SimulatePipeline(ISimulatePipelineRequest) method

deleted

SimulatePipeline(Func<SimulatePipelineDescriptor, ISimulatePipelineRequest>) method

deleted

SimulatePipelineAsync(ISimulatePipelineRequest, CancellationToken) method

deleted

SimulatePipelineAsync(Func<SimulatePipelineDescriptor, ISimulatePipelineRequest>, CancellationToken) method

deleted

Snapshot(ISnapshotRequest) method

deleted

Snapshot(Name, Name, Func<SnapshotDescriptor, ISnapshotRequest>) method

deleted

SnapshotAsync(ISnapshotRequest, CancellationToken) method

deleted

SnapshotAsync(Name, Name, Func<SnapshotDescriptor, ISnapshotRequest>, CancellationToken) method

deleted

SnapshotObservable(Name, Name, TimeSpan, Func<SnapshotDescriptor, ISnapshotRequest>) method

deleted

SnapshotObservable(TimeSpan, ISnapshotRequest) method

deleted

SnapshotStatus(ISnapshotStatusRequest) method

deleted

SnapshotStatus(Func<SnapshotStatusDescriptor, ISnapshotStatusRequest>) method

deleted

SnapshotStatusAsync(ISnapshotStatusRequest, CancellationToken) method

deleted

SnapshotStatusAsync(Func<SnapshotStatusDescriptor, ISnapshotStatusRequest>, CancellationToken) method

deleted

Source<T>(DocumentPath<T>, Func<SourceDescriptor<T>, ISourceRequest>) method

deleted

Source<TDocument>(DocumentPath<TDocument>, Func<SourceDescriptor<TDocument>, ISourceRequest>) method

added

Source<TDocument>(ISourceRequest) method

Member type changed from T to SourceResponse<TDocument>.

SourceAsync<T>(DocumentPath<T>, Func<SourceDescriptor<T>, ISourceRequest>, CancellationToken) method

deleted

SourceAsync<TDocument>(DocumentPath<TDocument>, Func<SourceDescriptor<TDocument>, ISourceRequest>, CancellationToken) method

added

SourceAsync<TDocument>(ISourceRequest, CancellationToken) method

Member type changed from Task<T> to Task<SourceResponse<TDocument>>.

SourceExists<T>(DocumentPath<T>, Func<SourceExistsDescriptor<T>, ISourceExistsRequest>) method

deleted

SourceExists<TDocument>(DocumentPath<TDocument>, Func<SourceExistsDescriptor<TDocument>, ISourceExistsRequest>) method

added

SourceExists(ISourceExistsRequest) method

Member type changed from IExistsResponse to ExistsResponse.

SourceExistsAsync<T>(DocumentPath<T>, Func<SourceExistsDescriptor<T>, ISourceExistsRequest>, CancellationToken) method

deleted

SourceExistsAsync<TDocument>(DocumentPath<TDocument>, Func<SourceExistsDescriptor<TDocument>, ISourceExistsRequest>, CancellationToken) method

added

SourceExistsAsync(ISourceExistsRequest, CancellationToken) method

Member type changed from Task<IExistsResponse> to Task<ExistsResponse>.

SplitIndex(IndexName, IndexName, Func<SplitIndexDescriptor, ISplitIndexRequest>) method

deleted

SplitIndex(ISplitIndexRequest) method

deleted

SplitIndexAsync(IndexName, IndexName, Func<SplitIndexDescriptor, ISplitIndexRequest>, CancellationToken) method

deleted

SplitIndexAsync(ISplitIndexRequest, CancellationToken) method

deleted

StartBasicLicense(IStartBasicLicenseRequest) method

deleted

StartBasicLicense(Func<StartBasicLicenseDescriptor, IStartBasicLicenseRequest>) method

deleted

StartBasicLicenseAsync(IStartBasicLicenseRequest, CancellationToken) method

deleted

StartBasicLicenseAsync(Func<StartBasicLicenseDescriptor, IStartBasicLicenseRequest>, CancellationToken) method

deleted

StartDatafeed(Id, Func<StartDatafeedDescriptor, IStartDatafeedRequest>) method

deleted

StartDatafeed(IStartDatafeedRequest) method

deleted

StartDatafeedAsync(Id, Func<StartDatafeedDescriptor, IStartDatafeedRequest>, CancellationToken) method

deleted

StartDatafeedAsync(IStartDatafeedRequest, CancellationToken) method

deleted

StartIlm(IStartIlmRequest) method

deleted

StartIlm(Func<StartIlmDescriptor, IStartIlmRequest>) method

deleted

StartIlmAsync(IStartIlmRequest, CancellationToken) method

deleted

StartIlmAsync(Func<StartIlmDescriptor, IStartIlmRequest>, CancellationToken) method

deleted

StartRollupJob(Id, Func<StartRollupJobDescriptor, IStartRollupJobRequest>) method

deleted

StartRollupJob(IStartRollupJobRequest) method

deleted

StartRollupJobAsync(Id, Func<StartRollupJobDescriptor, IStartRollupJobRequest>, CancellationToken) method

deleted

StartRollupJobAsync(IStartRollupJobRequest, CancellationToken) method

deleted

StartTrialLicense(IStartTrialLicenseRequest) method

deleted

StartTrialLicense(Func<StartTrialLicenseDescriptor, IStartTrialLicenseRequest>) method

deleted

StartTrialLicenseAsync(IStartTrialLicenseRequest, CancellationToken) method

deleted

StartTrialLicenseAsync(Func<StartTrialLicenseDescriptor, IStartTrialLicenseRequest>, CancellationToken) method

deleted

StartWatcher(IStartWatcherRequest) method

deleted

StartWatcher(Func<StartWatcherDescriptor, IStartWatcherRequest>) method

deleted

StartWatcherAsync(IStartWatcherRequest, CancellationToken) method

deleted

StartWatcherAsync(Func<StartWatcherDescriptor, IStartWatcherRequest>, CancellationToken) method

deleted

StopDatafeed(Id, Func<StopDatafeedDescriptor, IStopDatafeedRequest>) method

deleted

StopDatafeed(IStopDatafeedRequest) method

deleted

StopDatafeedAsync(Id, Func<StopDatafeedDescriptor, IStopDatafeedRequest>, CancellationToken) method

deleted

StopDatafeedAsync(IStopDatafeedRequest, CancellationToken) method

deleted

StopIlm(IStopIlmRequest) method

deleted

StopIlm(Func<StopIlmDescriptor, IStopIlmRequest>) method

deleted

StopIlmAsync(IStopIlmRequest, CancellationToken) method

deleted

StopIlmAsync(Func<StopIlmDescriptor, IStopIlmRequest>, CancellationToken) method

deleted

StopRollupJob(Id, Func<StopRollupJobDescriptor, IStopRollupJobRequest>) method

deleted

StopRollupJob(IStopRollupJobRequest) method

deleted

StopRollupJobAsync(Id, Func<StopRollupJobDescriptor, IStopRollupJobRequest>, CancellationToken) method

deleted

StopRollupJobAsync(IStopRollupJobRequest, CancellationToken) method

deleted

StopWatcher(IStopWatcherRequest) method

deleted

StopWatcher(Func<StopWatcherDescriptor, IStopWatcherRequest>) method

deleted

StopWatcherAsync(IStopWatcherRequest, CancellationToken) method

deleted

StopWatcherAsync(Func<StopWatcherDescriptor, IStopWatcherRequest>, CancellationToken) method

deleted

SyncedFlush(Indices, Func<SyncedFlushDescriptor, ISyncedFlushRequest>) method

deleted

SyncedFlush(ISyncedFlushRequest) method

deleted

SyncedFlushAsync(Indices, Func<SyncedFlushDescriptor, ISyncedFlushRequest>, CancellationToken) method

deleted

SyncedFlushAsync(ISyncedFlushRequest, CancellationToken) method

deleted

TermVectors<T>(ITermVectorsRequest<T>) method

deleted

TermVectors<TDocument>(ITermVectorsRequest<TDocument>) method

added

TermVectors<T>(Func<TermVectorsDescriptor<T>, ITermVectorsRequest<T>>) method

deleted

TermVectors<TDocument>(Func<TermVectorsDescriptor<TDocument>, ITermVectorsRequest<TDocument>>) method

added

TermVectorsAsync<T>(ITermVectorsRequest<T>, CancellationToken) method

deleted

TermVectorsAsync<TDocument>(ITermVectorsRequest<TDocument>, CancellationToken) method

added

TermVectorsAsync<T>(Func<TermVectorsDescriptor<T>, ITermVectorsRequest<T>>, CancellationToken) method

deleted

TermVectorsAsync<TDocument>(Func<TermVectorsDescriptor<TDocument>, ITermVectorsRequest<TDocument>>, CancellationToken) method

added

TranslateSql(ITranslateSqlRequest) method

deleted

TranslateSql(Func<TranslateSqlDescriptor, ITranslateSqlRequest>) method

deleted

TranslateSqlAsync(ITranslateSqlRequest, CancellationToken) method

deleted

TranslateSqlAsync(Func<TranslateSqlDescriptor, ITranslateSqlRequest>, CancellationToken) method

deleted

TypeExists(Indices, Types, Func<TypeExistsDescriptor, ITypeExistsRequest>) method

deleted

TypeExists(ITypeExistsRequest) method

deleted

TypeExistsAsync(Indices, Types, Func<TypeExistsDescriptor, ITypeExistsRequest>, CancellationToken) method

deleted

TypeExistsAsync(ITypeExistsRequest, CancellationToken) method

deleted

UnfollowIndex(IndexName, Func<UnfollowIndexDescriptor, IUnfollowIndexRequest>) method

deleted

UnfollowIndex(IUnfollowIndexRequest) method

deleted

UnfollowIndexAsync(IndexName, Func<UnfollowIndexDescriptor, IUnfollowIndexRequest>, CancellationToken) method

deleted

UnfollowIndexAsync(IUnfollowIndexRequest, CancellationToken) method

deleted

Update<TDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TDocument>, IUpdateRequest<TDocument, TDocument>>) method

Member type changed from IUpdateResponse<TDocument> to UpdateResponse<TDocument>.

Update<TDocument, TPartialDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TPartialDocument>, IUpdateRequest<TDocument, TPartialDocument>>) method

Member type changed from IUpdateResponse<TDocument> to UpdateResponse<TDocument>.

Update<TDocument>(IUpdateRequest<TDocument, TDocument>) method

deleted

Update<TDocument, TPartialDocument>(IUpdateRequest<TDocument, TPartialDocument>) method

Member type changed from IUpdateResponse<TDocument> to UpdateResponse<TDocument>.

UpdateAsync<TDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TDocument>, IUpdateRequest<TDocument, TDocument>>, CancellationToken) method

Member type changed from Task<IUpdateResponse<TDocument>> to Task<UpdateResponse<TDocument>>.

UpdateAsync<TDocument, TPartialDocument>(DocumentPath<TDocument>, Func<UpdateDescriptor<TDocument, TPartialDocument>, IUpdateRequest<TDocument, TPartialDocument>>, CancellationToken) method

Member type changed from Task<IUpdateResponse<TDocument>> to Task<UpdateResponse<TDocument>>.

UpdateAsync<TDocument>(IUpdateRequest<TDocument, TDocument>, CancellationToken) method

deleted

UpdateAsync<TDocument, TPartialDocument>(IUpdateRequest<TDocument, TPartialDocument>, CancellationToken) method

Member type changed from Task<IUpdateResponse<TDocument>> to Task<UpdateResponse<TDocument>>.

UpdateByQuery(IUpdateByQueryRequest) method

Member type changed from IUpdateByQueryResponse to UpdateByQueryResponse.

UpdateByQuery<T>(Func<UpdateByQueryDescriptor<T>, IUpdateByQueryRequest>) method

deleted

UpdateByQuery<TDocument>(Func<UpdateByQueryDescriptor<TDocument>, IUpdateByQueryRequest>) method

added

UpdateByQueryAsync(IUpdateByQueryRequest, CancellationToken) method

Member type changed from Task<IUpdateByQueryResponse> to Task<UpdateByQueryResponse>.

UpdateByQueryAsync<T>(Func<UpdateByQueryDescriptor<T>, IUpdateByQueryRequest>, CancellationToken) method

deleted

UpdateByQueryAsync<TDocument>(Func<UpdateByQueryDescriptor<TDocument>, IUpdateByQueryRequest>, CancellationToken) method

added

UpdateByQueryRethrottle(IUpdateByQueryRethrottleRequest) method

Member type changed from IListTasksResponse to ListTasksResponse.

UpdateByQueryRethrottle(TaskId, Func<UpdateByQueryRethrottleDescriptor, IUpdateByQueryRethrottleRequest>) method

Member type changed from IListTasksResponse to ListTasksResponse.

UpdateByQueryRethrottleAsync(IUpdateByQueryRethrottleRequest, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

UpdateByQueryRethrottleAsync(TaskId, Func<UpdateByQueryRethrottleDescriptor, IUpdateByQueryRethrottleRequest>, CancellationToken) method

Member type changed from Task<IListTasksResponse> to Task<ListTasksResponse>.

UpdateDatafeed<T>(Id, Func<UpdateDatafeedDescriptor<T>, IUpdateDatafeedRequest>) method

deleted

UpdateDatafeed(IUpdateDatafeedRequest) method

deleted

UpdateDatafeedAsync<T>(Id, Func<UpdateDatafeedDescriptor<T>, IUpdateDatafeedRequest>, CancellationToken) method

deleted

UpdateDatafeedAsync(IUpdateDatafeedRequest, CancellationToken) method

deleted

UpdateFilter(Id, Func<UpdateFilterDescriptor, IUpdateFilterRequest>) method

deleted

UpdateFilter(IUpdateFilterRequest) method

deleted

UpdateFilterAsync(Id, Func<UpdateFilterDescriptor, IUpdateFilterRequest>, CancellationToken) method

deleted

UpdateFilterAsync(IUpdateFilterRequest, CancellationToken) method

deleted

UpdateIndexSettings(Indices, Func<UpdateIndexSettingsDescriptor, IUpdateIndexSettingsRequest>) method

deleted

UpdateIndexSettings(IUpdateIndexSettingsRequest) method

deleted

UpdateIndexSettingsAsync(Indices, Func<UpdateIndexSettingsDescriptor, IUpdateIndexSettingsRequest>, CancellationToken) method

deleted

UpdateIndexSettingsAsync(IUpdateIndexSettingsRequest, CancellationToken) method

deleted

UpdateJob<T>(Id, Func<UpdateJobDescriptor<T>, IUpdateJobRequest>) method

deleted

UpdateJob(IUpdateJobRequest) method

deleted

UpdateJobAsync<T>(Id, Func<UpdateJobDescriptor<T>, IUpdateJobRequest>, CancellationToken) method

deleted

UpdateJobAsync(IUpdateJobRequest, CancellationToken) method

deleted

UpdateModelSnapshot(Id, Id, Func<UpdateModelSnapshotDescriptor, IUpdateModelSnapshotRequest>) method

deleted

UpdateModelSnapshot(IUpdateModelSnapshotRequest) method

deleted

UpdateModelSnapshotAsync(Id, Id, Func<UpdateModelSnapshotDescriptor, IUpdateModelSnapshotRequest>, CancellationToken) method

deleted

UpdateModelSnapshotAsync(IUpdateModelSnapshotRequest, CancellationToken) method

deleted

Upgrade(Indices, Func<UpgradeDescriptor, IUpgradeRequest>) method

deleted

Upgrade(IUpgradeRequest) method

deleted

UpgradeAsync(Indices, Func<UpgradeDescriptor, IUpgradeRequest>, CancellationToken) method

deleted

UpgradeAsync(IUpgradeRequest, CancellationToken) method

deleted

UpgradeStatus(IUpgradeStatusRequest) method

deleted

UpgradeStatus(Func<UpgradeStatusDescriptor, IUpgradeStatusRequest>) method

deleted

UpgradeStatusAsync(IUpgradeStatusRequest, CancellationToken) method

deleted

UpgradeStatusAsync(Func<UpgradeStatusDescriptor, IUpgradeStatusRequest>, CancellationToken) method

deleted

ValidateDetector(IValidateDetectorRequest) method

deleted

ValidateDetector<T>(Func<ValidateDetectorDescriptor<T>, IValidateDetectorRequest>) method

deleted

ValidateDetectorAsync(IValidateDetectorRequest, CancellationToken) method

deleted

ValidateDetectorAsync<T>(Func<ValidateDetectorDescriptor<T>, IValidateDetectorRequest>, CancellationToken) method

deleted

ValidateJob(IValidateJobRequest) method

deleted

ValidateJob<T>(Func<ValidateJobDescriptor<T>, IValidateJobRequest>) method

deleted

ValidateJobAsync(IValidateJobRequest, CancellationToken) method

deleted

ValidateJobAsync<T>(Func<ValidateJobDescriptor<T>, IValidateJobRequest>, CancellationToken) method

deleted

ValidateQuery(IValidateQueryRequest) method

deleted

ValidateQuery<T>(Func<ValidateQueryDescriptor<T>, IValidateQueryRequest>) method

deleted

ValidateQueryAsync(IValidateQueryRequest, CancellationToken) method

deleted

ValidateQueryAsync<T>(Func<ValidateQueryDescriptor<T>, IValidateQueryRequest>, CancellationToken) method

deleted

VerifyRepository(IVerifyRepositoryRequest) method

deleted

VerifyRepository(Name, Func<VerifyRepositoryDescriptor, IVerifyRepositoryRequest>) method

deleted

VerifyRepositoryAsync(IVerifyRepositoryRequest, CancellationToken) method

deleted

VerifyRepositoryAsync(Name, Func<VerifyRepositoryDescriptor, IVerifyRepositoryRequest>, CancellationToken) method

deleted

WatcherStats(IWatcherStatsRequest) method

deleted

WatcherStats(Func<WatcherStatsDescriptor, IWatcherStatsRequest>) method

deleted

WatcherStatsAsync(IWatcherStatsRequest, CancellationToken) method

deleted

WatcherStatsAsync(Func<WatcherStatsDescriptor, IWatcherStatsRequest>, CancellationToken) method

deleted

XPackInfo(IXPackInfoRequest) method

deleted

XPackInfo(Func<XPackInfoDescriptor, IXPackInfoRequest>) method

deleted

XPackInfoAsync(IXPackInfoRequest, CancellationToken) method

deleted

XPackInfoAsync(Func<XPackInfoDescriptor, IXPackInfoRequest>, CancellationToken) method

deleted

XPackUsage(IXPackUsageRequest) method

deleted

XPackUsage(Func<XPackUsageDescriptor, IXPackUsageRequest>) method

deleted

XPackUsageAsync(IXPackUsageRequest, CancellationToken) method

deleted

XPackUsageAsync(Func<XPackUsageDescriptor, IXPackUsageRequest>, CancellationToken) method

deleted

Cat property

added

Cluster property

added

CrossClusterReplication property

added

Graph property

added

IndexLifecycleManagement property

added

Indices property

added

Ingest property

added

License property

added

MachineLearning property

added

Migration property

added

Nodes property

added

Rollup property

added

Security property

added

Snapshot property

added

Sql property

added

Tasks property

added

Watcher property

added

XPack property

added

Nest.IEnableUserResponseedit

type

deleted

Nest.IExecuteWatchRequestedit

Nest.IExecuteWatchResponseedit

type

deleted

Nest.IExistsResponseedit

type

deleted

Nest.IExplainLifecycleResponseedit

type

deleted

Nest.IExplainRequestedit

type

added

Nest.IExplainRequest<TDocument>edit

Id property

deleted

Index property

deleted

Query property

deleted

StoredFields property

deleted

Type property

deleted

Nest.IExplainResponse<out TDocument>edit

Explanation property

deleted

Matched property

deleted

Nest.IFieldCapabilitiesResponseedit

type

deleted

Nest.IFieldLookupedit

Type property

deleted

Nest.IFiltersAggregationedit

Nest.IFlushJobResponseedit

type

deleted

Nest.IFlushResponseedit

type

deleted

Nest.IFollowIndexStatsResponseedit

type

deleted

Nest.IForceMergeResponseedit

type

deleted

Nest.IForecastJobResponseedit

type

deleted

Nest.IFuzzySuggesteredit

type

deleted

Nest.IGenericPropertyedit

Indexed property

deleted

Nest.IGeoDistanceSortedit

GeoUnit property

deleted

Unit property

added

Nest.IGeoIndexedShapeQueryedit

type

deleted

Nest.IGeometryCollectionedit

Type property

deleted

Nest.IGeoShapeedit

IgnoreUnmapped property

deleted

Nest.IGeoShapeCircleQueryedit

type

deleted

Nest.IGeoShapeEnvelopeQueryedit

type

deleted

Nest.IGeoShapeGeometryCollectionQueryedit

type

deleted

Nest.IGeoShapeLineStringQueryedit

type

deleted

Nest.IGeoShapeMultiLineStringQueryedit

type

deleted

Nest.IGeoShapeMultiPointQueryedit

type

deleted

Nest.IGeoShapeMultiPolygonQueryedit

type

deleted

Nest.IGeoShapePointQueryedit

type

deleted

Nest.IGeoShapePolygonQueryedit

type

deleted

Nest.IGeoShapePropertyedit

DistanceErrorPercentage property

deleted

PointsOnly property

deleted

Precision property

deleted

Tree property

deleted

TreeLevels property

deleted

Nest.IGeoShapeQueryedit

IndexedShape property

added

Shape property

added

Nest.IGetAliasResponseedit

type

deleted

Nest.IGetAnomalyRecordsResponseedit

type

deleted

Nest.IGetApiKeyResponseedit

type

deleted

Nest.IGetAutoFollowPatternResponseedit

type

deleted

Nest.IGetBasicLicenseStatusResponseedit

type

deleted

Nest.IGetBucketsRequestedit

Timestamp property setter

Nest.IGetBucketsResponseedit

type

deleted

Nest.IGetCalendarEventsResponseedit

type

deleted

Nest.IGetCalendarsResponseedit

type

deleted

Nest.IGetCategoriesRequestedit

Nest.IGetCategoriesResponseedit

type

deleted

Nest.IGetCertificatesResponseedit

type

deleted

Nest.IGetDatafeedsResponseedit

type

deleted

Nest.IGetDatafeedStatsResponseedit

type

deleted

Nest.IGetFieldMappingRequestedit

Type property

deleted

Nest.IGetFieldMappingResponseedit

type

deleted

Nest.IGetFiltersResponseedit

type

deleted

Nest.IGetIlmStatusResponseedit

type

deleted

Nest.IGetIndexResponseedit

type

deleted

Nest.IGetIndexSettingsResponseedit

type

deleted

Nest.IGetIndexTemplateResponseedit

type

deleted

Nest.IGetInfluencersResponseedit

type

deleted

Nest.IGetJobsResponseedit

type

deleted

Nest.IGetJobStatsResponseedit

type

deleted

Nest.IGetLicenseResponseedit

type

deleted

Nest.IGetLifecycleRequestedit

Nest.IGetLifecycleResponseedit

type

deleted

Nest.IGetMappingRequestedit

Type property

deleted

Nest.IGetMappingResponseedit

type

deleted

Nest.IGetModelSnapshotsResponseedit

type

deleted

Nest.IGetOverallBucketsResponseedit

type

deleted

Nest.IGetPipelineResponseedit

type

deleted

Nest.IGetPrivilegesResponseedit

type

deleted

Nest.IGetRepositoryResponseedit

type

deleted

Nest.IGetRequestedit

Type property

deleted

Nest.IGetResponse<out TDocument>edit

Fields property

deleted

Found property

deleted

Id property

deleted

Index property

deleted

Parent property

deleted

PrimaryTerm property

deleted

Routing property

deleted

SequenceNumber property

deleted

Type property

deleted

Version property

deleted

Nest.IGetRoleMappingResponseedit

type

deleted

Nest.IGetRoleResponseedit

type

deleted

Nest.IGetRollupCapabilitiesRequestedit

Id property

added

Index property

deleted

Nest.IGetRollupCapabilitiesResponseedit

type

deleted

Nest.IGetRollupIndexCapabilitiesResponseedit

type

deleted

Nest.IGetRollupJobResponseedit

type

deleted

Nest.IGetScriptResponseedit

type

deleted

Nest.IGetSnapshotResponseedit

type

deleted

Nest.IGetTaskResponseedit

type

deleted

Nest.IGetTrialLicenseStatusResponseedit

type

deleted

Nest.IGetUserAccessTokenResponseedit

type

deleted

Nest.IGetUserPrivilegesResponseedit

type

deleted

Nest.IGetUserResponseedit

type

deleted

Nest.IGetWatchResponseedit

type

deleted

Nest.IGraphExploreRequestedit

Type property

deleted

Nest.IGraphExploreResponseedit

type

deleted

Nest.IGrokProcessorPatternsResponseedit

type

deleted

Nest.IHasChildQueryedit

Nest.IHasParentQueryedit

Nest.IHasPrivilegesResponseedit

type

deleted

Nest.IHighLevelToLowLevelDispatcheredit

type

deleted

Nest.IHipChatActionedit

type

deleted

Nest.IHipChatMessageedit

type

deleted

Nest.IHit<out TDocument>edit

Highlight property

added

Highlights property

deleted

Nested property

added

Nest.IHitMetadata<out TDocument>edit

Parent property

deleted

PrimaryTerm property

added

SequenceNumber property

added

Nest.IHitsMetadata<out T>edit

type

added

Nest.IIdsQueryedit

Types property

deleted

Nest.IIndexActionedit

DocType property

deleted

Nest.IIndexRequest<TDocument>edit

Type property

deleted

Nest.IIndexResponseedit

type

deleted

Nest.IIndexStateedit

Nest.IIndicesResponseedit

type

deleted

Nest.IIndicesShardStoresRequestedit

Types property

deleted

Nest.IIndicesShardStoresResponseedit

type

deleted

Nest.IIndicesStatsRequestedit

Types property

deleted

Nest.IIndicesStatsResponseedit

type

deleted

Nest.IInlineGet<out TDocument>edit

type

added

Nest.IInlineScriptedit

Inline property

deleted

Nest.IInlineScriptConditionedit

Inline property

deleted

Nest.IInlineScriptTransformedit

Inline property

deleted

Nest.IIntervalsedit

type

added

Nest.IIntervalsAllOfedit

type

added

Nest.IIntervalsAnyOfedit

type

added

Nest.IIntervalsContaineredit

type

added

Nest.IIntervalsFilteredit

type

added

Nest.IIntervalsMatchedit

type

added

Nest.IIntervalsQueryedit

type

added

Nest.IInvalidateApiKeyResponseedit

type

deleted

Nest.IInvalidateUserAccessTokenResponseedit

type

deleted

Nest.IIpRangeedit

type

deleted

Nest.IIpRangeAggregationedit

Nest.IIpRangeAggregationRangeedit

type

added

Nest.ILazyDocumentedit

AsAsync<T>(CancellationToken) method

added

AsAsync(Type, CancellationToken) method

added

Nest.ILikeDocumentedit

Type property

deleted

Nest.IListTasksResponseedit

type

deleted

Nest.IMachineLearningInfoResponseedit

type

deleted

Nest.IMappingsedit

type

deleted

Nest.IMigrationAssistanceRequestedit

type

deleted

Nest.IMigrationAssistanceResponseedit

type

deleted

Nest.IMigrationUpgradeRequestedit

type

deleted

Nest.IMigrationUpgradeResponseedit

type

deleted

Nest.IMoveToStepResponseedit

type

deleted

Nest.IMultiGetHit<out TDocument>edit

Parent property

deleted

Nest.IMultiGetOperationedit

Type property

deleted

Nest.IMultiGetRequestedit

Type property

deleted

Nest.IMultiGetResponseedit

type

deleted

Nest.IMultiSearchRequestedit

Type property

deleted

Nest.IMultiSearchResponseedit

type

deleted

Nest.IMultiSearchTemplateRequestedit

Type property

deleted

Nest.IMultiTermVectorOperationedit

Fields property

added

StoredFields property

deleted

Type property

deleted

Nest.IMultiTermVectorsRequestedit

Type property

deleted

Nest.IMultiTermVectorsResponseedit

type

deleted

Nest.IncludeExcludeedit

type

added

Nest.IndexActionedit

DocType property

deleted

Nest.IndexActionDescriptoredit

DocType<T>() method

deleted

DocType(TypeName) method

deleted

ExecutionTimeField<T>(Expression<Func<T, Object>>) method

deleted

ExecutionTimeField<T, TValue>(Expression<Func<T, TValue>>) method

added

Nest.IndexActionResultIndexResponseedit

Type property

deleted

Nest.IndexDescriptor<TDocument>edit

IndexDescriptor() method

added

IndexDescriptor(DocumentPath<TDocument>) method

deleted

IndexDescriptor(Id) method

added

IndexDescriptor(IndexName) method

added

IndexDescriptor(IndexName, Id) method

added

IndexDescriptor(IndexName, TypeName) method

deleted

IndexDescriptor(TDocument, IndexName, Id) method

added

IfPrimaryTerm(Nullable<Int64>) method

Parameter name changed from ifPrimaryTerm to ifprimaryterm.

IfSeqNo(Nullable<Int64>) method

deleted

IfSequenceNumber(Nullable<Int64>) method

added

OpType(Nullable<OpType>) method

Parameter name changed from opType to optype.

Parent(String) method

deleted

Type<TOther>() method

deleted

Type(TypeName) method

deleted

VersionType(Nullable<VersionType>) method

Parameter name changed from versionType to versiontype.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.IndexExistsDescriptoredit

IndexExistsDescriptor() method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

IncludeDefaults(Nullable<Boolean>) method

Parameter name changed from includeDefaults to includedefaults.

Nest.IndexExistsRequestedit

IndexExistsRequest() method

added

Nest.IndexManyExtensionsedit

IndexMany<T>(IElasticClient, IEnumerable<T>, IndexName) method

added

IndexMany<T>(IElasticClient, IEnumerable<T>, IndexName, TypeName) method

deleted

IndexManyAsync<T>(IElasticClient, IEnumerable<T>, IndexName, TypeName, CancellationToken) method

deleted

IndexManyAsync<T>(IElasticClient, IEnumerable<T>, IndexName, CancellationToken) method

added

Nest.IndexMappingsedit

Nest.IndexNameedit

Rebuild(String, Type, String) method

Member is less visible.

Nest.IndexRequest<TDocument>edit

IndexRequest() method

added

IndexRequest(DocumentPath<TDocument>, IndexName, TypeName, Id) method

deleted

IndexRequest(Id) method

added

IndexRequest(IndexName) method

added

IndexRequest(IndexName, Id) method

added

IndexRequest(IndexName, TypeName) method

deleted

IndexRequest(IndexName, TypeName, Id) method

deleted

IndexRequest(TDocument, IndexName, Id) method

added

DefaultRouting() method

deleted

IfSeqNo property

deleted

IfSequenceNumber property

added

Parent property

deleted

Nest.IndexResponseedit

Id property

deleted

Index property

deleted

IsValid property

added

PrimaryTerm property

deleted

Result property

deleted

SequenceNumber property

deleted

Shards property

deleted

Type property

deleted

Version property

deleted

Nest.IndexRoutingTableedit

type

deleted

Nest.IndexStateedit

Nest.IndexTemplateExistsDescriptoredit

IndexTemplateExistsDescriptor() method

added

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.IndexTemplateExistsRequestedit

IndexTemplateExistsRequest() method

added

Nest.IndexUpgradeCheckedit

type

deleted

Nest.Indicesedit

Index(String) method

added

Nest.IndicesResponseBaseedit

Acknowledged property

deleted

ShardsHit property getter

changed to non-virtual.

Nest.IndicesShardStoresDescriptoredit

IndicesShardStoresDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

OperationThreading(String) method

deleted

Types(TypeName[]) method

deleted

Nest.IndicesShardStoresRequestedit

OperationThreading property

deleted

Types property

deleted

Nest.IndicesShardStoresResponseedit

Indices property getter

changed to non-virtual.

Nest.IndicesStatsDescriptoredit

IndicesStatsDescriptor(Indices) method

added

IndicesStatsDescriptor(Indices, Metrics) method

added

IndicesStatsDescriptor(Metrics) method

added

CompletionFields(Fields) method

Parameter name changed from completionFields to completionfields.

FielddataFields(Fields) method

Parameter name changed from fielddataFields to fielddatafields.

IncludeSegmentFileSizes(Nullable<Boolean>) method

Parameter name changed from includeSegmentFileSizes to includesegmentfilesizes.

Metric(IndicesStatsMetric) method

deleted

Metric(Metrics) method

added

Types(TypeName[]) method

deleted

Nest.IndicesStatsRequestedit

IndicesStatsRequest(IndicesStatsMetric) method

deleted

IndicesStatsRequest(Indices, IndicesStatsMetric) method

deleted

IndicesStatsRequest(Indices, Metrics) method

added

IndicesStatsRequest(Metrics) method

added

Types property

deleted

Nest.IndicesStatsResponseedit

Indices property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Stats property getter

changed to non-virtual.

Nest.Inferedit

Field<T>(Expression<Func<T, Object>>, Nullable<Double>) method

deleted

Field<T, TValue>(Expression<Func<T, TValue>>, Nullable<Double>, String) method

added

Field(PropertyInfo, Nullable<Double>) method

deleted

Field(String, Nullable<Double>) method

deleted

Property<T, TValue>(Expression<Func<T, TValue>>) method

added

Type<T>() method

deleted

Type(TypeName) method

deleted

Type(TypeName[]) method

deleted

Type(IEnumerable<TypeName>) method

deleted

Nest.Inferreredit

TypeName<T>() method

deleted

TypeName(TypeName) method

deleted

Nest.InfoContentDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

FieldName(Expression<Func<T, Object>>) method

deleted

FieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.InlineGet<TDocument>edit

type

added

Nest.InlineScriptedit

Inline property

deleted

Nest.InlineScriptConditionedit

Inline property

deleted

Nest.InlineScriptConditionDescriptoredit

InlineScriptConditionDescriptor(String) method

Parameter name changed from script to source.

Nest.InlineScriptDescriptoredit

Inline(String) method

deleted

Nest.InlineScriptTransformedit

InlineScriptTransform(String) method

Parameter name changed from script to source.

Inline property

deleted

Nest.InnerHitsMetadataedit

Nest.INodesHotThreadsResponseedit

type

deleted

Nest.INodesInfoResponseedit

type

deleted

Nest.INodesResponseedit

type

deleted

Nest.INodesStatsResponseedit

type

deleted

Nest.INodesUsageResponseedit

type

deleted

Nest.InstantGet<TDocument>edit

type

deleted

Nest.IntervalsAllOfedit

type

added

Nest.IntervalsAllOfDescriptoredit

type

added

Nest.IntervalsAnyOfedit

type

added

Nest.IntervalsAnyOfDescriptoredit

type

added

Nest.IntervalsBaseedit

type

added

Nest.IntervalsContaineredit

type

added

Nest.IntervalsDescriptoredit

type

added

Nest.IntervalsDescriptorBase<TDescriptor, TInterface>edit

type

added

Nest.IntervalsFilteredit

type

added

Nest.IntervalsFilterDescriptoredit

type

added

Nest.IntervalsListDescriptoredit

type

added

Nest.IntervalsMatchedit

type

added

Nest.IntervalsMatchDescriptoredit

type

added

Nest.IntervalsQueryedit

type

added

Nest.IntervalsQueryDescriptor<T>edit

type

added

Nest.InvalidateApiKeyResponseedit

ErrorCount property getter

changed to non-virtual.

ErrorDetails property getter

changed to non-virtual.

InvalidatedApiKeys property getter

changed to non-virtual.

PreviouslyInvalidatedApiKeys property getter

changed to non-virtual.

Nest.InvalidateUserAccessTokenResponseedit

Created property

deleted

ErrorCount property

added

InvalidatedTokens property

added

PreviouslyInvalidatedTokens property

added

Nest.IOpenIndexResponseedit

type

deleted

Nest.IOpenJobResponseedit

type

deleted

Nest.IPauseFollowIndexResponseedit

type

deleted

Nest.IPercentileRanksAggregationedit

Keyed property

added

Nest.IPercentilesAggregationedit

Keyed property

added

Nest.IPercolateQueryedit

DocumentType property

deleted

Type property

deleted

Nest.IPingResponseedit

type

deleted

Nest.IPostCalendarEventsResponseedit

type

deleted

Nest.IPostJobDataResponseedit

type

deleted

Nest.IPostLicenseResponseedit

type

deleted

Nest.IpRangeedit

type

deleted

Nest.IpRangeAggregationedit

Nest.IpRangeAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Ranges(Func<IpRangeAggregationRangeDescriptor, IIpRangeAggregationRange>[]) method

added

Ranges(Func<IpRangeDescriptor, IIpRange>[]) method

deleted

Nest.IpRangeAggregationRangeedit

type

added

Nest.IpRangeAggregationRangeDescriptoredit

type

added

Nest.IpRangeBucketedit

type

added

Nest.IpRangeDescriptoredit

type

deleted

Nest.IPreviewDatafeedResponse<out TDocument>edit

Nest.IPutAliasResponseedit

type

deleted

Nest.IPutCalendarJobResponseedit

type

deleted

Nest.IPutCalendarResponseedit

type

deleted

Nest.IPutDatafeedRequestedit

Types property

deleted

Nest.IPutDatafeedResponseedit

type

deleted

Nest.IPutFilterResponseedit

type

deleted

Nest.IPutIndexTemplateResponseedit

type

deleted

Nest.IPutJobResponseedit

type

deleted

Nest.IPutLifecycleRequestedit

Nest.IPutLifecycleResponseedit

type

deleted

Nest.IPutMappingRequestedit

Type property

deleted

Nest.IPutMappingResponseedit

type

deleted

Nest.IPutPipelineResponseedit

type

deleted

Nest.IPutPrivilegesResponseedit

type

deleted

Nest.IPutRoleMappingResponseedit

type

deleted

Nest.IPutRoleResponseedit

type

deleted

Nest.IPutScriptResponseedit

type

deleted

Nest.IPutUserResponseedit

type

deleted

Nest.IPutWatchResponseedit

type

deleted

Nest.IQueryContaineredit

Intervals property

added

Type property

deleted

Nest.IQuerySqlResponseedit

type

deleted

Nest.IQueryStringQueryedit

Timezone property

deleted

TimeZone property

added

Nest.IQueryVisitoredit

Visit(IGeoIndexedShapeQuery) method

deleted

Visit(IGeoShapeCircleQuery) method

deleted

Visit(IGeoShapeEnvelopeQuery) method

deleted

Visit(IGeoShapeGeometryCollectionQuery) method

deleted

Visit(IGeoShapeLineStringQuery) method

deleted

Visit(IGeoShapeMultiLineStringQuery) method

deleted

Visit(IGeoShapeMultiPointQuery) method

deleted

Visit(IGeoShapeMultiPolygonQuery) method

deleted

Visit(IGeoShapePointQuery) method

deleted

Visit(IGeoShapePolygonQuery) method

deleted

Visit(IIntervalsQuery) method

added

Visit(ITypeQuery) method

deleted

Nest.IRecoveryStatusResponseedit

type

deleted

Nest.IRefreshResponseedit

type

deleted

Nest.IReindexDestinationedit

Type property

deleted

Nest.IReindexOnServerResponseedit

type

deleted

Nest.IReindexRethrottleResponseedit

type

deleted

Nest.IReindexSourceedit

Type property

deleted

Nest.IReloadSecureSettingsResponseedit

type

deleted

Nest.IRemoteInfoResponseedit

type

deleted

Nest.IRemovePolicyResponseedit

type

deleted

Nest.IRemoveProcessoredit

Nest.IRenderSearchTemplateRequestedit

Inline property

deleted

Nest.IRenderSearchTemplateResponseedit

type

deleted

Nest.IRequestedit

GetUrl(IConnectionSettingsValues) method

added

ContentType property

added

RequestParameters property

added

Nest.IRestartWatcherRequestedit

type

deleted

Nest.IRestartWatcherResponseedit

type

deleted

Nest.IRestoreResponseedit

type

deleted

Nest.IResumeFollowIndexResponseedit

type

deleted

Nest.IRetryIlmResponseedit

type

deleted

Nest.IRevertModelSnapshotResponseedit

type

deleted

Nest.IRolloverIndexResponseedit

type

deleted

Nest.IRolloverLifecycleActionedit

MaximumSizeAsString property

deleted

Nest.IRollupSearchRequestedit

Type property

deleted

Nest.IRollupSearchResponse<T>edit

type

deleted

Nest.IRootNodeInfoResponseedit

type

deleted

Nest.IS3RepositorySettingsedit

AccessKey property

deleted

ConcurrentStreams property

deleted

SecretKey property

deleted

Nest.IScriptProcessoredit

Inline property

deleted

Nest.IScriptQueryedit

Id property

deleted

Inline property

deleted

Lang property

deleted

Params property

deleted

Script property

added

Source property

deleted

Nest.IScriptScoreFunctionedit

Nest.ISearchInputRequestedit

Types property

deleted

Nest.ISearchRequestedit

Type property

deleted

Nest.ISearchResponse<out TDocument>edit

Aggs property

deleted

Nest.ISearchShardsResponseedit

type

deleted

Nest.ISearchTemplateRequestedit

Inline property

deleted

Type property

deleted

Nest.ISegmentsResponseedit

type

deleted

Nest.IShardsOperationResponseedit

type

deleted

Nest.IShrinkIndexResponseedit

type

deleted

Nest.ISignificantTermsAggregationedit

Nest.ISignificantTextAggregationedit

Nest.ISimulatePipelineDocumentedit

Type property

deleted

Nest.ISimulatePipelineResponseedit

type

deleted

Nest.ISnapshotResponseedit

type

deleted

Nest.ISnapshotStatusResponseedit

type

deleted

Nest.ISortedit

NestedFilter property

deleted

NestedPath property

deleted

Nest.ISortOrderedit

type

added

Nest.ISourceExistsRequestedit

Type property

deleted

Nest.ISourceRequestedit

Type property

deleted

Nest.ISourceResponse<out TDocument>edit

Nest.ISplitIndexResponseedit

type

deleted

Nest.IStandardTokenFilteredit

type

deleted

Nest.IStartBasicLicenseResponseedit

type

deleted

Nest.IStartDatafeedResponseedit

type

deleted

Nest.IStartIlmResponseedit

type

deleted

Nest.IStartRollupJobResponseedit

type

deleted

Nest.IStartTrialLicenseResponseedit

type

deleted

Nest.IStartWatcherResponseedit

type

deleted

Nest.IStopDatafeedResponseedit

type

deleted

Nest.IStopIlmResponseedit

type

deleted

Nest.IStopRollupJobResponseedit

type

deleted

Nest.IStopWatcherResponseedit

type

deleted

Nest.ISuggest<out T>edit

type

added

Nest.ISuggestDictionary<out T>edit

type

added

Nest.ISuggestFuzzinessedit

type

added

Nest.ISuggestOption<out TDocument>edit

type

added

Nest.ISyncedFlushResponseedit

type

deleted

Nest.ISynonymGraphTokenFilteredit

IgnoreCase property

deleted

Nest.ISynonymTokenFilteredit

IgnoreCase property

deleted

Nest.ITemplateMappingedit

Nest.ITermSuggesteredit

Nest.ITermVectorsedit

Type property

deleted

Nest.ITermVectorsRequest<TDocument>edit

Type property

deleted

Nest.ITermVectorsResponseedit

type

deleted

Nest.ITranslateSqlResponseedit

type

deleted

Nest.ITypedSearchRequestedit

type

added

Nest.ITypeExistsRequestedit

Nest.ITypeQueryedit

type

deleted

Nest.IUnfollowIndexResponseedit

type

deleted

Nest.IUpdateByQueryRequestedit

Type property

deleted

Nest.IUpdateByQueryResponseedit

type

deleted

Nest.IUpdateDatafeedRequestedit

Types property

deleted

Nest.IUpdateDatafeedResponseedit

type

deleted

Nest.IUpdateFilterResponseedit

type

deleted

Nest.IUpdateIndexSettingsResponseedit

type

deleted

Nest.IUpdateJobResponseedit

type

deleted

Nest.IUpdateModelSnapshotResponseedit

type

deleted

Nest.IUpdateRequest<TDocument, TPartialDocument>edit

Type property

deleted

Nest.IUpdateResponse<out TDocument>edit

Id property

deleted

Index property

deleted

Result property

deleted

ShardsHit property

deleted

Type property

deleted

Version property

deleted

Nest.IUpgradeRequestedit

type

deleted

Nest.IUpgradeResponseedit

type

deleted

Nest.IUpgradeStatusRequestedit

type

deleted

Nest.IUpgradeStatusResponseedit

type

deleted

Nest.IValidateDetectorResponseedit

type

deleted

Nest.IValidateJobResponseedit

type

deleted

Nest.IValidateQueryRequestedit

Type property

deleted

Nest.IValidateQueryResponseedit

type

deleted

Nest.IVerifyRepositoryResponseedit

type

deleted

Nest.IWatchedit

type

added

Nest.IWatcherStatsRequestedit

Metric property

added

WatcherStatsMetric property

deleted

Nest.IWatcherStatsResponseedit

type

deleted

Nest.IXPackInfoResponseedit

type

deleted

Nest.IXPackUsageResponseedit

type

deleted

.Childedit

Parent property

deleted

ParentId property

added

Nest.JoinProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.JsonProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.KeepTypesTokenFilteredit

Mode property getter

changed to virtual.

Mode property setter

changed to virtual.

Types property getter

changed to virtual.

Types property setter

changed to virtual.

Nest.KeyValueProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.LatLongDetectorDescriptor<T>edit

LatLongDetectorDescriptor(String) method

deleted

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

FieldName(Expression<Func<T, Object>>) method

deleted

FieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.LazyDocumentedit

AsAsync<T>(CancellationToken) method

added

AsAsync(Type, CancellationToken) method

added

Nest.LifecycleActionsedit

LifecycleActions(Dictionary<String, ILifecycleAction>) method

deleted

Nest.LifecycleExplainedit

Nest.LikeDocumentBaseedit

Type property

deleted

Nest.LikeDocumentDescriptor<TDocument>edit

Type(TypeName) method

deleted

Nest.LineStringGeoShapeedit

LineStringGeoShape() method

Member is less visible.

Nest.ListTasksDescriptoredit

GroupBy(Nullable<GroupBy>) method

Parameter name changed from groupBy to groupby.

ParentNode(String) method

deleted

ParentTaskId(String) method

Parameter name changed from parentTaskId to parenttaskid.

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.ListTasksRequestedit

ParentNode property

deleted

Nest.ListTasksResponseedit

NodeFailures property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.LongIdedit

type

added

Nest.LowercaseProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.MachineLearningInfoResponseedit

Defaults property getter

changed to non-virtual.

Limits property getter

changed to non-virtual.

UpgradeMode property getter

changed to non-virtual.

Nest.Mappingsedit

Mappings(Dictionary<TypeName, ITypeMapping>) method

deleted

Mappings(IDictionary<TypeName, ITypeMapping>) method

deleted

Add(TypeName, ITypeMapping) method

deleted

Add(Object, ITypeMapping) method

added

GetEnumerator() method

added

Item property

added

Nest.MappingsDescriptoredit

AssignMap(IPromise<IMappings>) method

deleted

Map(TypeName, Func<TypeMappingDescriptor<Object>, ITypeMapping>) method

deleted

Map<T>(TypeName, Func<TypeMappingDescriptor<T>, ITypeMapping>) method

deleted

Map(Func<TypeMappingDescriptor<Object>, ITypeMapping>) method

added

Map<T>(Func<TypeMappingDescriptor<T>, ITypeMapping>) method

Method changed to non-virtual.

Map(Object, Func<TypeMappingDescriptor<Object>, ITypeMapping>) method

added

Map<T>(Object, Func<TypeMappingDescriptor<T>, ITypeMapping>) method

added

Nest.MappingWalkeredit

Accept(GetMappingResponse) method

added

Accept(IGetMappingResponse) method

deleted

Nest.MatrixAggregateBaseedit

Meta property setter

changed to non-virtual.

Nest.MatrixStatsAggregateedit

Nest.MergesStatsedit

Nest.MetadataIndexStateedit

type

deleted

Nest.MetadataStateedit

type

deleted

Nest.MetricAggregateBaseedit

Meta property setter

changed to non-virtual.

Nest.MetricAggregationDescriptorBase<TMetricAggregation, TMetricAggregationInterface, T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.MetricDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

FieldName(Expression<Func<T, Object>>) method

deleted

FieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.MigrationAssistanceDescriptoredit

type

deleted

Nest.MigrationAssistanceRequestedit

type

deleted

Nest.MigrationAssistanceResponseedit

type

deleted

Nest.MigrationUpgradeDescriptoredit

type

deleted

Nest.MigrationUpgradeRequestedit

type

deleted

Nest.MigrationUpgradeResponseedit

type

deleted

Nest.MissingAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.MoveToStepDescriptoredit

MoveToStepDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.MoveToStepRequestedit

MoveToStepRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.MultiBucketAggregate<TBucket>edit

Meta property setter

changed to non-virtual.

Nest.MultiGetDescriptoredit

MultiGetDescriptor(IndexName) method

added

RequestDefaults(MultiGetRequestParameters) method

added

SourceEnabled(Nullable<Boolean>) method

Parameter name changed from sourceEnabled to sourceenabled.

SourceExclude(Fields) method

deleted

SourceExclude<T>(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes<T>(Expression<Func<T, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude<T>(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes<T>(Expression<Func<T, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Nest.MultiGetHit<TDocument>edit

Parent property

deleted

Nest.MultiGetOperation<T>edit

Type property

deleted

Nest.MultiGetOperationDescriptor<T>edit

Type(TypeName) method

deleted

Nest.MultiGetRequestedit

MultiGetRequest(IndexName, TypeName) method

deleted

RequestDefaults(MultiGetRequestParameters) method

added

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.MultiGetResponseedit

Get<T>(Int64) method

Method changed to non-virtual.

Get<T>(String) method

Method changed to non-virtual.

GetFieldSelection<T>(Int64) method

Method changed to non-virtual.

GetFieldValues<T>(String) method

Method changed to non-virtual.

GetMany<T>(IEnumerable<Int64>) method

Method changed to non-virtual.

GetMany<T>(IEnumerable<String>) method

Method changed to non-virtual.

Source<T>(Int64) method

Method changed to non-virtual.

Source<T>(String) method

Method changed to non-virtual.

SourceMany<T>(IEnumerable<Int64>) method

Method changed to non-virtual.

SourceMany<T>(IEnumerable<String>) method

Method changed to non-virtual.

Hits property getter

changed to non-virtual.

Nest.MultiLineStringGeoShapeedit

MultiLineStringGeoShape() method

Member is less visible.

Nest.MultipleMappingsDescriptoredit

type

deleted

Nest.MultiPointGeoShapeedit

MultiPointGeoShape() method

Member is less visible.

Nest.MultiPolygonGeoShapeedit

MultiPolygonGeoShape() method

Member is less visible.

Nest.MultiSearchDescriptoredit

MultiSearchDescriptor(Indices) method

added

AllTypes() method

deleted

CcsMinimizeRoundtrips(Nullable<Boolean>) method

added

Initialize() method

deleted

MaxConcurrentSearches(Nullable<Int64>) method

Parameter name changed from maxConcurrentSearches to maxconcurrentsearches.

MaxConcurrentShardRequests(Nullable<Int64>) method

Parameter name changed from maxConcurrentShardRequests to maxconcurrentshardrequests.

PreFilterShardSize(Nullable<Int64>) method

Parameter name changed from preFilterShardSize to prefiltershardsize.

RequestDefaults(MultiSearchRequestParameters) method

added

SearchType(Nullable<SearchType>) method

Parameter name changed from searchType to searchtype.

TotalHitsAsInteger(Nullable<Boolean>) method

Parameter name changed from totalHitsAsInteger to totalhitsasinteger.

Type<TOther>() method

deleted

Type(Types) method

deleted

TypedKeys(Nullable<Boolean>) method

Parameter name changed from typedKeys to typedkeys.

Nest.MultiSearchRequestedit

MultiSearchRequest(Indices, Types) method

deleted

Initialize() method

deleted

RequestDefaults(MultiSearchRequestParameters) method

added

CcsMinimizeRoundtrips property

added

Nest.MultiSearchResponseedit

GetInvalidResponses() method

Method changed to non-virtual.

GetResponse<T>(String) method

Method changed to non-virtual.

GetResponses<T>() method

Method changed to non-virtual.

AllResponses property getter

changed to non-virtual.

Took property

added

TotalResponses property getter

changed to non-virtual.

Nest.MultiSearchTemplateDescriptoredit

MultiSearchTemplateDescriptor(Indices) method

added

AllTypes() method

deleted

CcsMinimizeRoundtrips(Nullable<Boolean>) method

added

Initialize() method

deleted

MaxConcurrentSearches(Nullable<Int64>) method

Parameter name changed from maxConcurrentSearches to maxconcurrentsearches.

RequestDefaults(MultiSearchTemplateRequestParameters) method

added

SearchType(Nullable<SearchType>) method

Parameter name changed from searchType to searchtype.

TotalHitsAsInteger(Nullable<Boolean>) method

Parameter name changed from totalHitsAsInteger to totalhitsasinteger.

Type<TOther>() method

deleted

Type(Types) method

deleted

TypedKeys(Nullable<Boolean>) method

Parameter name changed from typedKeys to typedkeys.

Nest.MultiSearchTemplateRequestedit

MultiSearchTemplateRequest(Indices, Types) method

deleted

Initialize() method

deleted

RequestDefaults(MultiSearchTemplateRequestParameters) method

added

CcsMinimizeRoundtrips property

added

Nest.MultiTermVectorOperation<T>edit

Fields property

added

StoredFields property

deleted

Type property

deleted

Nest.MultiTermVectorOperationDescriptor<T>edit

Fields(Fields) method

added

Fields(Func<FieldsDescriptor<T>, IPromise<Fields>>) method

added

StoredFields(Fields) method

deleted

StoredFields(Func<FieldsDescriptor<T>, IPromise<Fields>>) method

deleted

Type(TypeName) method

deleted

Nest.MultiTermVectorsDescriptoredit

MultiTermVectorsDescriptor(IndexName) method

added

Documents<T>(IEnumerable<Id>, Func<MultiTermVectorOperationDescriptor<T>, Id, IMultiTermVectorOperation>) method

added

Documents<T>(IEnumerable<Int64>, Func<MultiTermVectorOperationDescriptor<T>, Int64, IMultiTermVectorOperation>) method

added

Documents<T>(IEnumerable<String>, Func<MultiTermVectorOperationDescriptor<T>, String, IMultiTermVectorOperation>) method

added

Documents<T>(Func<MultiTermVectorOperationDescriptor<T>, IMultiTermVectorOperation>) method

added

FieldStatistics(Nullable<Boolean>) method

Parameter name changed from fieldStatistics to fieldstatistics.

Get<T>(Func<MultiTermVectorOperationDescriptor<T>, IMultiTermVectorOperation>) method

deleted

GetMany<T>(IEnumerable<Id>, Func<MultiTermVectorOperationDescriptor<T>, Id, IMultiTermVectorOperation>) method

deleted

GetMany<T>(IEnumerable<Int64>, Func<MultiTermVectorOperationDescriptor<T>, Int64, IMultiTermVectorOperation>) method

deleted

GetMany<T>(IEnumerable<String>, Func<MultiTermVectorOperationDescriptor<T>, String, IMultiTermVectorOperation>) method

deleted

Parent(String) method

deleted

TermStatistics(Nullable<Boolean>) method

Parameter name changed from termStatistics to termstatistics.

Type<TOther>() method

deleted

Type(TypeName) method

deleted

VersionType(Nullable<VersionType>) method

Parameter name changed from versionType to versiontype.

Nest.MultiTermVectorsRequestedit

MultiTermVectorsRequest(IndexName, TypeName) method

deleted

Parent property

deleted

Nest.MultiTermVectorsResponseedit

Documents property getter

changed to non-virtual.

Nest.NamespacedClientProxyedit

type

added

Nest.NestedAggregationDescriptor<T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Nest.NestedQueryDescriptor<T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Nest.NestedSortDescriptor<T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Nest.NodeInfoedit

Nest.NodeInfoJvmMemoryedit

type

added

Nest.NodeInfoJVMMemoryedit

type

deleted

Nest.NodeJvmInfoedit

GcCollectors property

added

GCCollectors property

deleted

Pid property

added

PID property

deleted

Nest.NodeJvmStatsedit

.GarbageCollectionStatsedit

.MemoryStatsedit

.JvmPooledit

type

added

.JVMPooledit

type

deleted

Nest.NodesHotThreadsDescriptoredit

NodesHotThreadsDescriptor(NodeIds) method

added

IgnoreIdleThreads(Nullable<Boolean>) method

Parameter name changed from ignoreIdleThreads to ignoreidlethreads.

RequestDefaults(NodesHotThreadsRequestParameters) method

added

ThreadType(Nullable<ThreadType>) method

Parameter name changed from threadType to threadtype.

ContentType property

added

Nest.NodesHotThreadsRequestedit

NodesHotThreadsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

RequestDefaults(NodesHotThreadsRequestParameters) method

added

ContentType property

added

Nest.NodesHotThreadsResponseedit

HotThreads property getter

changed to non-virtual.

Nest.NodesInfoDescriptoredit

NodesInfoDescriptor(Metrics) method

added

NodesInfoDescriptor(NodeIds) method

added

NodesInfoDescriptor(NodeIds, Metrics) method

added

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

Metric(NodesInfoMetric) method

deleted

Metric(Metrics) method

added

Nest.NodesInfoRequestedit

NodesInfoRequest(NodesInfoMetric) method

deleted

NodesInfoRequest(Metrics) method

added

NodesInfoRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

NodesInfoRequest(NodeIds, NodesInfoMetric) method

deleted

NodesInfoRequest(NodeIds, Metrics) method

added

Nest.NodesInfoResponseedit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.NodesResponseBaseedit

NodeStatistics property getter

changed to non-virtual.

Nest.NodesStatsDescriptoredit

NodesStatsDescriptor(Metrics) method

added

NodesStatsDescriptor(Metrics, IndexMetrics) method

added

NodesStatsDescriptor(NodeIds) method

added

NodesStatsDescriptor(NodeIds, Metrics) method

added

NodesStatsDescriptor(NodeIds, Metrics, IndexMetrics) method

added

CompletionFields(Fields) method

Parameter name changed from completionFields to completionfields.

FielddataFields(Fields) method

Parameter name changed from fielddataFields to fielddatafields.

IncludeSegmentFileSizes(Nullable<Boolean>) method

Parameter name changed from includeSegmentFileSizes to includesegmentfilesizes.

IndexMetric(NodesStatsIndexMetric) method

deleted

IndexMetric(IndexMetrics) method

added

Metric(NodesStatsMetric) method

deleted

Metric(Metrics) method

added

Nest.NodesStatsRequestedit

NodesStatsRequest(NodesStatsMetric) method

deleted

NodesStatsRequest(NodesStatsMetric, NodesStatsIndexMetric) method

deleted

NodesStatsRequest(Metrics) method

added

NodesStatsRequest(Metrics, IndexMetrics) method

added

NodesStatsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

NodesStatsRequest(NodeIds, NodesStatsMetric) method

deleted

NodesStatsRequest(NodeIds, NodesStatsMetric, NodesStatsIndexMetric) method

deleted

NodesStatsRequest(NodeIds, Metrics) method

added

NodesStatsRequest(NodeIds, Metrics, IndexMetrics) method

added

Nest.NodesStatsResponseedit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.NodeStateedit

type

deleted

Nest.NodeStatsedit

Nest.NodesUsageDescriptoredit

NodesUsageDescriptor(Metrics) method

added

NodesUsageDescriptor(NodeIds) method

added

NodesUsageDescriptor(NodeIds, Metrics) method

added

Metric(NodesUsageMetric) method

deleted

Metric(Metrics) method

added

Nest.NodesUsageRequestedit

NodesUsageRequest(NodesUsageMetric) method

deleted

NodesUsageRequest(Metrics) method

added

NodesUsageRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

NodesUsageRequest(NodeIds, NodesUsageMetric) method

deleted

NodesUsageRequest(NodeIds, Metrics) method

added

Nest.NodesUsageResponseedit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.NodeThreadPoolInfoedit

Core property

added

Min property

deleted

Size property

added

Nest.NonNullSumDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

FieldName(Expression<Func<T, Object>>) method

deleted

FieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.NonZeroCountDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ObjectPropertyDescriptorBase<TDescriptor, TInterface, TParent, TChild>edit

ObjectPropertyDescriptorBase(FieldType) method

Parameter name changed from type to fieldType.

Nest.ObsoleteMappingsBaseedit

type

added

Nest.OpenIndexDescriptoredit

OpenIndexDescriptor() method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.OpenIndexRequestedit

OpenIndexRequest() method

added

Nest.OpenJobDescriptoredit

OpenJobDescriptor() method

added

OpenJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.OpenJobRequestedit

OpenJobRequest() method

added

OpenJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.OpenJobResponseedit

Opened property getter

changed to non-virtual.

Nest.PauseFollowIndexDescriptoredit

PauseFollowIndexDescriptor() method

added

Nest.PauseFollowIndexRequestedit

PauseFollowIndexRequest() method

added

Nest.PercentileItemedit

Nest.PercentileRanksAggregationedit

Keyed property

added

Nest.PercentileRanksAggregationDescriptor<T>edit

Keyed(Nullable<Boolean>) method

added

Nest.PercentilesAggregationedit

Keyed property

added

Nest.PercentilesAggregationDescriptor<T>edit

Keyed(Nullable<Boolean>) method

added

Nest.PercolateQueryedit

DocumentType property

deleted

Type property

deleted

Nest.PercolateQueryDescriptor<T>edit

DocumentType<TDocument>() method

deleted

DocumentType(TypeName) method

deleted

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Type<TDocument>() method

deleted

Type(TypeName) method

deleted

Nest.PerFieldAnalyzer<T>edit

Add(Expression<Func<T, Object>>, String) method

deleted

Add<TValue>(Expression<Func<T, TValue>>, String) method

added

Nest.PerFieldAnalyzerDescriptor<T>edit

Field(Expression<Func<T, Object>>, String) method

deleted

Field<TValue>(Expression<Func<T, TValue>>, String) method

added

Nest.PhaseExecutionedit

Nest.PlainRequestBase<TParameters>edit

SourceQueryString property

added

Nest.PluginStatsedit

ExtendedPlugins property

added

Isolated property

deleted

Jvm property

deleted

Site property

deleted

Nest.PointGeoShapeedit

PointGeoShape() method

Member is less visible.

Nest.PolicyIdedit

type

deleted

Nest.PolygonGeoShapeedit

PolygonGeoShape() method

Member is less visible.

Nest.PostCalendarEventsDescriptoredit

PostCalendarEventsDescriptor() method

added

PostCalendarEventsDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PostCalendarEventsRequestedit

PostCalendarEventsRequest() method

added

PostCalendarEventsRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PostCalendarEventsResponseedit

Events property getter

changed to non-virtual.

Nest.PostJobDataDescriptoredit

PostJobDataDescriptor() method

added

PostJobDataDescriptor(Id) method

Parameter name changed from job_id to jobId.

ResetEnd(Nullable<DateTimeOffset>) method

Parameter name changed from resetEnd to resetend.

ResetStart(Nullable<DateTimeOffset>) method

Parameter name changed from resetStart to resetstart.

Nest.PostJobDataRequestedit

PostJobDataRequest() method

added

PostJobDataRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.PostJobDataResponseedit

BucketCount property getter

changed to non-virtual.

EarliestRecordTimestamp property getter

changed to non-virtual.

EmptyBucketCount property getter

changed to non-virtual.

InputBytes property getter

changed to non-virtual.

InputFieldCount property getter

changed to non-virtual.

InputRecordCount property getter

changed to non-virtual.

InvalidDateCount property getter

changed to non-virtual.

JobId property getter

changed to non-virtual.

LastDataTime property getter

changed to non-virtual.

LatestRecordTimestamp property getter

changed to non-virtual.

MissingFieldCount property getter

changed to non-virtual.

OutOfOrderTimestampCount property getter

changed to non-virtual.

ProcessedFieldCount property getter

changed to non-virtual.

ProcessedRecordCount property getter

changed to non-virtual.

SparseBucketCount property getter

changed to non-virtual.

Nest.PostLicenseResponseedit

Acknowledge property getter

changed to non-virtual.

Acknowledged property getter

changed to non-virtual.

LicenseStatus property getter

changed to non-virtual.

Nest.PreventMappingMultipleTypesDescriptoredit

type

added

Nest.PreviewDatafeedDescriptoredit

PreviewDatafeedDescriptor() method

added

PreviewDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.PreviewDatafeedRequestedit

PreviewDatafeedRequest() method

added

PreviewDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.PreviewDatafeedResponse<TDocument>edit

Nest.ProcessorsDescriptoredit

KeyValue<T>(Func<UserAgentProcessorDescriptor<T>, IUserAgentProcessor>) method

deleted

Nest.Properties<T>edit

Add(Expression<Func<T, Object>>, IProperty) method

deleted

Add<TValue>(Expression<Func<T, TValue>>, IProperty) method

added

Nest.PropertyDescriptorBase<TDescriptor, TInterface, T>edit

Name(Expression<Func<T, Object>>) method

deleted

Name<TValue>(Expression<Func<T, TValue>>) method

added

Nest.PropertyNameAttributeedit

AllowPrivate property

added

Ignore property

added

Name property getter

changed to virtual.

Name property setter

changed to virtual.

Order property

added

Nest.PutAliasDescriptoredit

PutAliasDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutAliasRequestedit

PutAliasRequest() method

added

Nest.PutCalendarDescriptoredit

PutCalendarDescriptor() method

added

PutCalendarDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarJobDescriptoredit

PutCalendarJobDescriptor() method

added

PutCalendarJobDescriptor(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarJobRequestedit

PutCalendarJobRequest() method

added

PutCalendarJobRequest(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarJobResponseedit

CalendarId property getter

changed to non-virtual.

Description property getter

changed to non-virtual.

JobIds property getter

changed to non-virtual.

Nest.PutCalendarRequestedit

PutCalendarRequest() method

added

PutCalendarRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarResponseedit

CalendarId property getter

changed to non-virtual.

Description property getter

changed to non-virtual.

JobIds property getter

changed to non-virtual.

Nest.PutDatafeedDescriptor<TDocument>edit

PutDatafeedDescriptor() method

added

PutDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Aggregations(Func<AggregationContainerDescriptor<T>, IAggregationContainer>) method

deleted

Aggregations(Func<AggregationContainerDescriptor<TDocument>, IAggregationContainer>) method

added

AllIndices() method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

AllTypes() method

deleted

ChunkingConfig(Func<ChunkingConfigDescriptor, IChunkingConfig>) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

Frequency(Time) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

Indices<TOther>() method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

Indices(Indices) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

JobId(Id) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

QueryDelay(Time) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

ScriptFields(Func<ScriptFieldsDescriptor, IPromise<IScriptFields>>) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

ScrollSize(Nullable<Int32>) method

Member type changed from PutDatafeedDescriptor<T> to PutDatafeedDescriptor<TDocument>.

Types<TOther>() method

deleted

Types(Types) method

deleted

Nest.PutDatafeedRequestedit

PutDatafeedRequest() method

added

PutDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Types property

deleted

Nest.PutDatafeedResponseedit

Aggregations property getter

changed to non-virtual.

ChunkingConfig property getter

changed to non-virtual.

DatafeedId property getter

changed to non-virtual.

Frequency property getter

changed to non-virtual.

Indices property getter

changed to non-virtual.

JobId property getter

changed to non-virtual.

Query property getter

changed to non-virtual.

QueryDelay property getter

changed to non-virtual.

ScriptFields property getter

changed to non-virtual.

ScrollSize property getter

changed to non-virtual.

Types property

deleted

Nest.PutFilterDescriptoredit

PutFilterDescriptor() method

added

PutFilterDescriptor(Id) method

Parameter name changed from filter_id to filterId.

Nest.PutFilterRequestedit

PutFilterRequest() method

added

PutFilterRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.PutFilterResponseedit

Description property getter

changed to non-virtual.

FilterId property getter

changed to non-virtual.

Items property getter

changed to non-virtual.

Nest.PutIndexTemplateDescriptoredit

PutIndexTemplateDescriptor() method

added

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IncludeTypeName(Nullable<Boolean>) method

Parameter name changed from includeTypeName to includetypename.

Map(Func<TypeMappingDescriptor<Object>, ITypeMapping>) method

added

Map<T>(Func<TypeMappingDescriptor<T>, ITypeMapping>) method

added

Mappings(Func<MappingsDescriptor, IPromise<IMappings>>) method

deleted

Mappings(Func<MappingsDescriptor, ITypeMapping>) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutIndexTemplateRequestedit

PutIndexTemplateRequest() method

added

Nest.PutJobDescriptor<TDocument>edit

PutJobDescriptor() method

added

PutJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

AnalysisConfig(Func<AnalysisConfigDescriptor<T>, IAnalysisConfig>) method

deleted

AnalysisConfig(Func<AnalysisConfigDescriptor<TDocument>, IAnalysisConfig>) method

added

AnalysisLimits(Func<AnalysisLimitsDescriptor, IAnalysisLimits>) method

Member type changed from PutJobDescriptor<T> to PutJobDescriptor<TDocument>.

DataDescription(Func<DataDescriptionDescriptor<T>, IDataDescription>) method

deleted

DataDescription(Func<DataDescriptionDescriptor<TDocument>, IDataDescription>) method

added

Description(String) method

Member type changed from PutJobDescriptor<T> to PutJobDescriptor<TDocument>.

ModelPlot(Func<ModelPlotConfigDescriptor<T>, IModelPlotConfig>) method

deleted

ModelPlot(Func<ModelPlotConfigDescriptor<TDocument>, IModelPlotConfig>) method

added

ModelSnapshotRetentionDays(Nullable<Int64>) method

Member type changed from PutJobDescriptor<T> to PutJobDescriptor<TDocument>.

ResultsIndexName<TIndex>() method

Member type changed from PutJobDescriptor<T> to PutJobDescriptor<TDocument>.

ResultsIndexName(IndexName) method

Member type changed from PutJobDescriptor<T> to PutJobDescriptor<TDocument>.

Nest.PutJobRequestedit

PutJobRequest() method

added

PutJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.PutJobResponseedit

AnalysisConfig property getter

changed to non-virtual.

AnalysisLimits property getter

changed to non-virtual.

BackgroundPersistInterval property getter

changed to non-virtual.

CreateTime property getter

changed to non-virtual.

DataDescription property getter

changed to non-virtual.

Description property getter

changed to non-virtual.

JobId property getter

changed to non-virtual.

JobType property getter

changed to non-virtual.

ModelPlotConfig property getter

changed to non-virtual.

ModelSnapshotId property getter

changed to non-virtual.

ModelSnapshotRetentionDays property getter

changed to non-virtual.

RenormalizationWindowDays property getter

changed to non-virtual.

ResultsIndexName property getter

changed to non-virtual.

ResultsRetentionDays property getter

changed to non-virtual.

Nest.PutLifecycleDescriptoredit

PutLifecycleDescriptor() method

added

PutLifecycleDescriptor(Id) method

added

PutLifecycleDescriptor(PolicyId) method

deleted

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.PutLifecycleRequestedit

PutLifecycleRequest() method

added

PutLifecycleRequest(Id) method

added

PutLifecycleRequest(PolicyId) method

deleted

MasterTimeout property

deleted

Timeout property

deleted

Nest.PutMappingDescriptor<TDocument>edit

PutMappingDescriptor(IndexName, TypeName) method

deleted

PutMappingDescriptor(Indices) method

added

PutMappingDescriptor(TypeName) method

deleted

AllField(Func<AllFieldDescriptor, IAllField>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

AllIndices() method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Assign(Action<ITypeMapping>) method

deleted

Assign<TValue>(TValue, Action<ITypeMapping, TValue>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

AutoMap(IPropertyVisitor, Int32) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

AutoMap(Int32) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

DateDetection(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

DisableIndexField(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

DisableSizeField(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Dynamic(Union<Boolean, DynamicMapping>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Dynamic(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

DynamicDateFormats(IEnumerable<String>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

DynamicTemplates(Func<DynamicTemplateContainerDescriptor<T>, IPromise<IDynamicTemplateContainer>>) method

deleted

DynamicTemplates(Func<DynamicTemplateContainerDescriptor<TDocument>, IPromise<IDynamicTemplateContainer>>) method

added

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

FieldNamesField(Func<FieldNamesFieldDescriptor<T>, IFieldNamesField>) method

deleted

FieldNamesField(Func<FieldNamesFieldDescriptor<TDocument>, IFieldNamesField>) method

added

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

IncludeTypeName(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Index<TOther>() method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Index(Indices) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

IndexField(Func<IndexFieldDescriptor, IIndexField>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

MasterTimeout(Time) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Meta(Dictionary<String, Object>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Meta(Func<FluentDictionary<String, Object>, FluentDictionary<String, Object>>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

NumericDetection(Nullable<Boolean>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Properties(Func<PropertiesDescriptor<T>, IPromise<IProperties>>) method

deleted

Properties(Func<PropertiesDescriptor<TDocument>, IPromise<IProperties>>) method

added

RoutingField(Func<RoutingFieldDescriptor<T>, IRoutingField>) method

deleted

RoutingField(Func<RoutingFieldDescriptor<TDocument>, IRoutingField>) method

added

SizeField(Func<SizeFieldDescriptor, ISizeField>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

SourceField(Func<SourceFieldDescriptor, ISourceField>) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Timeout(Time) method

Member type changed from PutMappingDescriptor<T> to PutMappingDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(TypeName) method

deleted

UpdateAllTypes(Nullable<Boolean>) method

deleted

Nest.PutMappingRequestedit

PutMappingRequest() method

Member is more visible.

PutMappingRequest(Indices, TypeName) method

deleted

PutMappingRequest(TypeName) method

deleted

UpdateAllTypes property

deleted

Nest.PutMappingRequest<TDocument>edit

PutMappingRequest(Indices, TypeName) method

deleted

PutMappingRequest(TypeName) method

deleted

AllField property

deleted

AllowNoIndices property

deleted

DateDetection property

deleted

Dynamic property

deleted

DynamicDateFormats property

deleted

DynamicTemplates property

deleted

ExpandWildcards property

deleted

FieldNamesField property

deleted

IgnoreUnavailable property

deleted

IncludeTypeName property

deleted

IndexField property

deleted

MasterTimeout property

deleted

Meta property

deleted

NumericDetection property

deleted

Properties property

deleted

RoutingField property

deleted

Self property

deleted

SizeField property

deleted

SourceField property

deleted

Timeout property

deleted

TypedSelf property

added

UpdateAllTypes property

deleted

Nest.PutPipelineDescriptoredit

PutPipelineDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutPipelineRequestedit

PutPipelineRequest() method

added

Nest.PutPrivilegesResponseedit

Applications property getter

changed to non-virtual.

Nest.PutRoleDescriptoredit

PutRoleDescriptor() method

added

Applications(Func<ApplicationPrivilegesDescriptor, IPromise<IList<IApplicationPrivileges>>>) method

deleted

Applications(Func<ApplicationPrivilegesListDescriptor, IPromise<IList<IApplicationPrivileges>>>) method

added

Nest.PutRoleMappingDescriptoredit

PutRoleMappingDescriptor() method

added

Nest.PutRoleMappingRequestedit

PutRoleMappingRequest() method

added

Nest.PutRoleMappingResponseedit

RoleMapping property getter

changed to non-virtual.

Nest.PutRoleRequestedit

PutRoleRequest() method

added

Nest.PutRoleResponseedit

Role property getter

changed to non-virtual.

Nest.PutScriptDescriptoredit

PutScriptDescriptor() method

added

PutScriptDescriptor(Id, Name) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutScriptRequestedit

PutScriptRequest() method

added

Nest.PutUserDescriptoredit

PutUserDescriptor() method

added

Nest.PutUserRequestedit

PutUserRequest() method

added

Nest.PutUserResponseedit

Created property

added

User property

deleted

Nest.PutUserStatusedit

type

deleted

Nest.PutWatchDescriptoredit

PutWatchDescriptor() method

Member is less visible.

IfPrimaryTerm(Nullable<Int64>) method

Parameter name changed from ifPrimaryTerm to ifprimaryterm.

IfSeqNo(Nullable<Int64>) method

deleted

IfSequenceNumber(Nullable<Int64>) method

added

MasterTimeout(Time) method

deleted

Nest.PutWatchRequestedit

PutWatchRequest() method

Member is less visible.

IfSeqNo property

deleted

IfSequenceNumber property

added

MasterTimeout property

deleted

Nest.PutWatchResponseedit

Created property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

PrimaryTerm property

added

SequenceNumber property

added

Version property getter

changed to non-virtual.

Nest.Query<T>edit

GeoShape(Func<GeoShapeQueryDescriptor<T>, IGeoShapeQuery>) method

added

GeoShapeCircle(Func<GeoShapeCircleQueryDescriptor<T>, IGeoShapeCircleQuery>) method

deleted

GeoShapeEnvelope(Func<GeoShapeEnvelopeQueryDescriptor<T>, IGeoShapeEnvelopeQuery>) method

deleted

GeoShapeGeometryCollection(Func<GeoShapeGeometryCollectionQueryDescriptor<T>, IGeoShapeGeometryCollectionQuery>) method

deleted

GeoShapeLineString(Func<GeoShapeLineStringQueryDescriptor<T>, IGeoShapeLineStringQuery>) method

deleted

GeoShapeMultiLineString(Func<GeoShapeMultiLineStringQueryDescriptor<T>, IGeoShapeMultiLineStringQuery>) method

deleted

GeoShapeMultiPoint(Func<GeoShapeMultiPointQueryDescriptor<T>, IGeoShapeMultiPointQuery>) method

deleted

GeoShapeMultiPolygon(Func<GeoShapeMultiPolygonQueryDescriptor<T>, IGeoShapeMultiPolygonQuery>) method

deleted

GeoShapePoint(Func<GeoShapePointQueryDescriptor<T>, IGeoShapePointQuery>) method

deleted

GeoShapePolygon(Func<GeoShapePolygonQueryDescriptor<T>, IGeoShapePolygonQuery>) method

deleted

Intervals(Func<IntervalsQueryDescriptor<T>, IIntervalsQuery>) method

added

Prefix(Expression<Func<T, Object>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

deleted

Prefix<TValue>(Expression<Func<T, TValue>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

added

Term(Expression<Func<T, Object>>, Object, Nullable<Double>, String) method

deleted

Term<TValue>(Expression<Func<T, TValue>>, Object, Nullable<Double>, String) method

added

Type<TOther>() method

deleted

Type(Func<TypeQueryDescriptor, ITypeQuery>) method

deleted

Wildcard(Expression<Func<T, Object>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

deleted

Wildcard<TValue>(Expression<Func<T, TValue>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

added

Nest.QueryCacheStatsedit

MemorySize property

deleted

Nest.QueryContainerDescriptor<T>edit

GeoIndexedShape(Func<GeoIndexedShapeQueryDescriptor<T>, IGeoIndexedShapeQuery>) method

deleted

GeoShape(Func<GeoShapeQueryDescriptor<T>, IGeoShapeQuery>) method

added

GeoShapeCircle(Func<GeoShapeCircleQueryDescriptor<T>, IGeoShapeCircleQuery>) method

deleted

GeoShapeEnvelope(Func<GeoShapeEnvelopeQueryDescriptor<T>, IGeoShapeEnvelopeQuery>) method

deleted

GeoShapeGeometryCollection(Func<GeoShapeGeometryCollectionQueryDescriptor<T>, IGeoShapeGeometryCollectionQuery>) method

deleted

GeoShapeLineString(Func<GeoShapeLineStringQueryDescriptor<T>, IGeoShapeLineStringQuery>) method

deleted

GeoShapeMultiLineString(Func<GeoShapeMultiLineStringQueryDescriptor<T>, IGeoShapeMultiLineStringQuery>) method

deleted

GeoShapeMultiPoint(Func<GeoShapeMultiPointQueryDescriptor<T>, IGeoShapeMultiPointQuery>) method

deleted

GeoShapeMultiPolygon(Func<GeoShapeMultiPolygonQueryDescriptor<T>, IGeoShapeMultiPolygonQuery>) method

deleted

GeoShapePoint(Func<GeoShapePointQueryDescriptor<T>, IGeoShapePointQuery>) method

deleted

GeoShapePolygon(Func<GeoShapePolygonQueryDescriptor<T>, IGeoShapePolygonQuery>) method

deleted

Intervals(Func<IntervalsQueryDescriptor<T>, IIntervalsQuery>) method

added

Prefix(Expression<Func<T, Object>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

deleted

Prefix<TValue>(Expression<Func<T, TValue>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

added

Term(Expression<Func<T, Object>>, Object, Nullable<Double>, String) method

deleted

Term<TValue>(Expression<Func<T, TValue>>, Object, Nullable<Double>, String) method

added

Type<TOther>() method

deleted

Type(Func<TypeQueryDescriptor, ITypeQuery>) method

deleted

Wildcard(Expression<Func<T, Object>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

deleted

Wildcard<TValue>(Expression<Func<T, TValue>>, String, Nullable<Double>, MultiTermQueryRewrite, String) method

added

Nest.QuerySqlResponseedit

Columns property getter

changed to non-virtual.

Cursor property getter

changed to non-virtual.

Rows property getter

changed to non-virtual.

Nest.QueryStringQueryedit

Timezone property

deleted

TimeZone property

added

Nest.QueryStringQueryDescriptor<T>edit

DefaultField(Expression<Func<T, Object>>) method

deleted

DefaultField<TValue>(Expression<Func<T, TValue>>) method

added

Timezone(String) method

deleted

TimeZone(String) method

added

Nest.QueryVisitoredit

Visit(IGeoIndexedShapeQuery) method

deleted

Visit(IGeoShapeCircleQuery) method

deleted

Visit(IGeoShapeEnvelopeQuery) method

deleted

Visit(IGeoShapeGeometryCollectionQuery) method

deleted

Visit(IGeoShapeLineStringQuery) method

deleted

Visit(IGeoShapeMultiLineStringQuery) method

deleted

Visit(IGeoShapeMultiPointQuery) method

deleted

Visit(IGeoShapeMultiPolygonQuery) method

deleted

Visit(IGeoShapePointQuery) method

deleted

Visit(IGeoShapePolygonQuery) method

deleted

Visit(IIntervalsQuery) method

added

Visit(ITypeQuery) method

deleted

Nest.RandomScoreFunctionDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.RangeAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.RareDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.RecoveryStatusDescriptoredit

RecoveryStatusDescriptor(Indices) method

added

ActiveOnly(Nullable<Boolean>) method

Parameter name changed from activeOnly to activeonly.

Nest.RecoveryStatusResponseedit

Indices property getter

changed to non-virtual.

Nest.RefreshDescriptoredit

RefreshDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Nest.ReindexDestinationedit

Type property

deleted

Nest.ReindexDestinationDescriptoredit

Type(TypeName) method

deleted

Nest.ReindexObservable<TSource, TTarget>edit

Subscribe(IObserver<BulkAllResponse>) method

added

Subscribe(IObserver<IBulkAllResponse>) method

deleted

Nest.ReindexObserveredit

ReindexObserver(Action<BulkAllResponse>, Action<Exception>, Action) method

added

ReindexObserver(Action<IBulkAllResponse>, Action<Exception>, Action) method

deleted

Nest.ReindexOnServerDescriptoredit

RequestsPerSecond(Nullable<Int64>) method

Parameter name changed from requestsPerSecond to requestspersecond.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.ReindexOnServerResponseedit

Batches property getter

changed to non-virtual.

Created property getter

changed to non-virtual.

Failures property getter

changed to non-virtual.

Noops property getter

changed to non-virtual.

Retries property getter

changed to non-virtual.

SliceId property getter

changed to non-virtual.

Task property getter

changed to non-virtual.

TimedOut property getter

changed to non-virtual.

Took property getter

changed to non-virtual.

Total property getter

changed to non-virtual.

Updated property getter

changed to non-virtual.

VersionConflicts property getter

changed to non-virtual.

Nest.ReindexRethrottleDescriptoredit

ReindexRethrottleDescriptor() method

Member is less visible.

ReindexRethrottleDescriptor(TaskId) method

Parameter name changed from task_id to taskId.

RequestsPerSecond(Nullable<Int64>) method

Parameter name changed from requestsPerSecond to requestspersecond.

TaskId(TaskId) method

deleted

Nest.ReindexRethrottleRequestedit

ReindexRethrottleRequest() method

added

ReindexRethrottleRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.ReindexRethrottleResponseedit

Nodes property getter

changed to non-virtual.

Nest.ReindexSourceedit

Type property

deleted

Nest.ReindexSourceDescriptoredit

Type(Types) method

deleted

Nest.RelationNameedit

EqualsString(String) method

Member is less visible.

Nest.ReloadSecureSettingsDescriptoredit

ReloadSecureSettingsDescriptor(NodeIds) method

added

Nest.ReloadSecureSettingsRequestedit

ReloadSecureSettingsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

Nest.ReloadSecureSettingsResponseedit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.RemoteClusterConfigurationedit

Add(String, Dictionary<String, Object>) method

added

Nest.RemoteInfoedit

HttpAddresses property

deleted

SkipUnavailable property

added

Nest.RemoteInfoResponseedit

Remotes property getter

changed to non-virtual.

Nest.RemovePolicyDescriptoredit

RemovePolicyDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.RemovePolicyRequestedit

RemovePolicyRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.RemovePolicyResponseedit

FailedIndexes property getter

changed to non-virtual.

HasFailures property getter

changed to non-virtual.

Nest.RemoveProcessoredit

Nest.RemoveProcessorDescriptor<T>edit

Field(Field) method

deleted

Field(Fields) method

added

Field(Func<FieldsDescriptor<T>, IPromise<Fields>>) method

added

Field(Expression<Func<T, Object>>) method

deleted

Nest.RenameProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.RenderSearchTemplateDescriptoredit

RenderSearchTemplateDescriptor(Id) method

added

Inline(String) method

deleted

Nest.RenderSearchTemplateRequestedit

Inline property

deleted

Nest.RenderSearchTemplateResponseedit

TemplateOutput property getter

changed to non-virtual.

TemplateOutput property setter

changed to non-virtual.

Nest.RequestBase<TParameters>edit

Initialize() method

deleted

RequestDefaults(TParameters) method

added

ContentType property

added

Nest.RequestDescriptorBase<TDescriptor, TParameters, TInterface>edit

Assign(Action<TInterface>) method

deleted

AssignParam(Action<TParameters>) method

deleted

ErrorTrace(Nullable<Boolean>) method

Parameter name changed from errorTrace to errortrace.

FilterPath(String[]) method

Parameter name changed from filterPath to filterpath.

Qs(Action<TParameters>) method

deleted

SourceQueryString(String) method

added

RequestConfig property

deleted

Nest.RestartWatcherDescriptoredit

type

deleted

Nest.RestartWatcherRequestedit

type

deleted

Nest.RestoreCompletedEventArgsedit

RestoreCompletedEventArgs(IRecoveryStatusResponse) method

deleted

RestoreCompletedEventArgs(RecoveryStatusResponse) method

added

Nest.RestoreDescriptoredit

RestoreDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.RestoreNextEventArgsedit

RestoreNextEventArgs(IRecoveryStatusResponse) method

deleted

RestoreNextEventArgs(RecoveryStatusResponse) method

added

Nest.RestoreObservableedit

Subscribe(IObserver<IRecoveryStatusResponse>) method

deleted

Subscribe(IObserver<RecoveryStatusResponse>) method

added

Nest.RestoreObserveredit

RestoreObserver(Action<IRecoveryStatusResponse>, Action<Exception>, Action) method

deleted

RestoreObserver(Action<RecoveryStatusResponse>, Action<Exception>, Action) method

added

Nest.RestoreRequestedit

RestoreRequest() method

added

Nest.RestoreResponseedit

Snapshot property getter

changed to non-virtual.

Snapshot property setter

changed to non-virtual.

Nest.ResumeFollowIndexDescriptoredit

ResumeFollowIndexDescriptor() method

added

Nest.ResumeFollowIndexRequestedit

ResumeFollowIndexRequest() method

added

Nest.RetryIlmDescriptoredit

RetryIlmDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.RetryIlmRequestedit

RetryIlmRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.ReverseNestedAggregationDescriptor<T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Nest.RevertModelSnapshotDescriptoredit

RevertModelSnapshotDescriptor() method

added

RevertModelSnapshotDescriptor(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.RevertModelSnapshotRequestedit

RevertModelSnapshotRequest() method

added

RevertModelSnapshotRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.RevertModelSnapshotResponseedit

Model property getter

changed to non-virtual.

Nest.RolloverIndexDescriptoredit

RolloverIndexDescriptor() method

added

RolloverIndexDescriptor(Name, IndexName) method

added

DryRun(Nullable<Boolean>) method

Parameter name changed from dryRun to dryrun.

IncludeTypeName(Nullable<Boolean>) method

Parameter name changed from includeTypeName to includetypename.

Map(Func<TypeMappingDescriptor<Object>, ITypeMapping>) method

added

Map<T>(Func<TypeMappingDescriptor<T>, ITypeMapping>) method

added

Mappings(Func<MappingsDescriptor, IPromise<IMappings>>) method

deleted

Mappings(Func<MappingsDescriptor, ITypeMapping>) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.RolloverIndexRequestedit

RolloverIndexRequest() method

added

RolloverIndexRequest(Name, IndexName) method

Parameter name changed from new_index to newIndex.

Nest.RolloverIndexResponseedit

Conditions property getter

changed to non-virtual.

DryRun property getter

changed to non-virtual.

NewIndex property getter

changed to non-virtual.

OldIndex property getter

changed to non-virtual.

RolledOver property getter

changed to non-virtual.

ShardsAcknowledged property getter

changed to non-virtual.

Nest.RolloverLifecycleActionedit

MaximumSize property getter

MaximumSize property setter

MaximumSizeAsString property

deleted

Nest.RolloverLifecycleActionDescriptoredit

MaximumSize(Nullable<Int64>) method

deleted

MaximumSize(String) method

added

MaximumSizeAsString(String) method

deleted

Nest.RollupFieldMetricsDescriptor<T>edit

Field(Expression<Func<T, Object>>, RollupMetric[]) method

deleted

Field(Expression<Func<T, Object>>, IEnumerable<RollupMetric>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>, RollupMetric[]) method

added

Field<TValue>(Expression<Func<T, TValue>>, IEnumerable<RollupMetric>) method

added

Nest.RollupFieldsCapabilitiesDictionaryedit

Field<T, TValue>(Expression<Func<T, TValue>>) method

added

Nest.RollupFieldsIndexCapabilitiesDictionaryedit

Field<T, TValue>(Expression<Func<T, TValue>>) method

added

Nest.RollupSearchDescriptor<TDocument>edit

RollupSearchDescriptor() method

added

Aggregations(AggregationDictionary) method

Member type changed from RollupSearchDescriptor<T> to RollupSearchDescriptor<TDocument>.

Aggregations(Func<AggregationContainerDescriptor<T>, IAggregationContainer>) method

deleted

Aggregations(Func<AggregationContainerDescriptor<TDocument>, IAggregationContainer>) method

added

AllIndices() method

Member type changed from RollupSearchDescriptor<T> to RollupSearchDescriptor<TDocument>.

Index<TOther>() method

Member type changed from RollupSearchDescriptor<T> to RollupSearchDescriptor<TDocument>.

Index(Indices) method

Member type changed from RollupSearchDescriptor<T> to RollupSearchDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

Size(Nullable<Int32>) method

Member type changed from RollupSearchDescriptor<T> to RollupSearchDescriptor<TDocument>.

TotalHitsAsInteger(Nullable<Boolean>) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

TypedKeys(Nullable<Boolean>) method

Member type changed from RollupSearchDescriptor<T> to RollupSearchDescriptor<TDocument>.

Nest.RollupSearchRequestedit

RollupSearchRequest() method

added

RollupSearchRequest(Indices, TypeName) method

deleted

TotalHitsAsInteger property

added

Nest.RootNodeInfoResponseedit

ClusterName property

added

ClusterUUID property

added

Name property getter

changed to non-virtual.

Tagline property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.RouteValuesedit

Remove(String) method

deleted

Resolve(IConnectionSettingsValues) method

Member is less visible.

ActionId property

deleted

Alias property

deleted

Application property

deleted

CalendarId property

deleted

CategoryId property

deleted

Context property

deleted

DatafeedId property

deleted

EventId property

deleted

Feature property

deleted

Field property

deleted

Fields property

deleted

FilterId property

deleted

ForecastId property

deleted

Id property

deleted

Index property

deleted

IndexMetric property

deleted

JobId property

deleted

Lang property

deleted

Metric property

deleted

Name property

deleted

NewIndex property

deleted

NodeId property

deleted

PolicyId property

deleted

Realms property

deleted

Repository property

deleted

ScrollId property

deleted

Snapshot property

deleted

SnapshotId property

deleted

Target property

deleted

TaskId property

deleted

ThreadPoolPatterns property

deleted

Timestamp property

deleted

Type property

deleted

User property

deleted

Username property

deleted

WatcherStatsMetric property

deleted

WatchId property

deleted

Nest.RoutingNodesStateedit

type

deleted

Nest.RoutingShardedit

type

deleted

Nest.RoutingTableStateedit

type

deleted

Nest.S3Repositoryedit

S3Repository(IS3RepositorySettings) method

added

S3Repository(S3RepositorySettings) method

deleted

Nest.S3RepositorySettingsedit

AccessKey property

deleted

ConcurrentStreams property

deleted

SecretKey property

deleted

Nest.S3RepositorySettingsDescriptoredit

S3RepositorySettingsDescriptor() method

deleted

AccessKey(String) method

deleted

ConcurrentStreams(Nullable<Int32>) method

deleted

SecretKey(String) method

deleted

Nest.ScoreFunctionsDescriptor<T>edit

RandomScore(Int64) method

deleted

RandomScore(String) method

deleted

Nest.ScriptConditionDescriptoredit

Indexed(String) method

deleted

Inline(String) method

deleted

Nest.ScriptDescriptoredit

Indexed(String) method

deleted

Inline(String) method

deleted

Nest.ScriptProcessoredit

Inline property

deleted

Nest.ScriptProcessorDescriptoredit

Inline(String) method

deleted

Nest.ScriptQueryedit

Id property

deleted

Inline property

deleted

Lang property

deleted

Params property

deleted

Script property

added

Source property

deleted

Nest.ScriptQueryDescriptor<T>edit

Id(String) method

deleted

Inline(String) method

deleted

Lang(ScriptLang) method

deleted

Lang(String) method

deleted

Params(Func<FluentDictionary<String, Object>, FluentDictionary<String, Object>>) method

deleted

Script(Func<ScriptDescriptor, IScript>) method

added

Source(String) method

deleted

Nest.ScriptScoreFunctionedit

Nest.ScriptScoreFunctionDescriptor<T>edit

Script(Func<ScriptDescriptor, IScript>) method

added

Script(Func<ScriptQueryDescriptor<T>, IScriptQuery>) method

deleted

Nest.ScriptSortDescriptor<T>edit

type

added

Nest.ScriptTransformDescriptoredit

Indexed(String) method

deleted

Inline(String) method

deleted

Nest.ScrollAllDescriptor<T>edit

RoutingField(Expression<Func<T, Object>>) method

deleted

RoutingField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ScrollAllObservable<T>edit

Subscribe(IObserver<IScrollAllResponse<T>>) method

deleted

Subscribe(IObserver<ScrollAllResponse<T>>) method

added

Nest.ScrollDescriptor<TInferDocument>edit

ScrollDescriptor() method

deleted

ScrollDescriptor(Time, String) method

added

Scroll(Time) method

Member type changed from ScrollDescriptor<T> to ScrollDescriptor<TInferDocument>.

ScrollId(String) method

Member type changed from ScrollDescriptor<T> to ScrollDescriptor<TInferDocument>.

TotalHitsAsInteger(Nullable<Boolean>) method

Member type changed from ScrollDescriptor<T> to ScrollDescriptor<TInferDocument>.

Nest.ScrollRequestedit

TypeSelector property

deleted

Nest.SearchDescriptor<TInferDocument>edit

SearchDescriptor(Indices) method

added

Aggregations(AggregationDictionary) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Aggregations(Func<AggregationContainerDescriptor<T>, IAggregationContainer>) method

deleted

Aggregations(Func<AggregationContainerDescriptor<TInferDocument>, IAggregationContainer>) method

added

AllIndices() method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

AllowPartialSearchResults(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

AllTypes() method

deleted

Analyzer(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

AnalyzeWildcard(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

BatchedReduceSize(Nullable<Int64>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

CcsMinimizeRoundtrips(Nullable<Boolean>) method

added

Collapse(Func<FieldCollapseDescriptor<T>, IFieldCollapse>) method

deleted

Collapse(Func<FieldCollapseDescriptor<TInferDocument>, IFieldCollapse>) method

added

DefaultOperator(Nullable<DefaultOperator>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Df(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

DocValueFields(Fields) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

DocValueFields(Func<FieldsDescriptor<T>, IPromise<Fields>>) method

deleted

DocValueFields(Func<FieldsDescriptor<TInferDocument>, IPromise<Fields>>) method

added

ExecuteOnLocalShard() method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

ExecuteOnNode(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

ExecuteOnPreferredNode(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

ExecuteOnPrimary() method

deleted

ExecuteOnPrimaryFirst() method

deleted

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Explain(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

From(Nullable<Int32>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Highlight(Func<HighlightDescriptor<T>, IHighlight>) method

deleted

Highlight(Func<HighlightDescriptor<TInferDocument>, IHighlight>) method

added

IgnoreThrottled(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Index<TOther>() method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Index(Indices) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

IndicesBoost(Func<FluentDictionary<IndexName, Double>, FluentDictionary<IndexName, Double>>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Initialize() method

deleted

Lenient(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

MatchAll(Func<MatchAllQueryDescriptor, IMatchAllQuery>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

MaxConcurrentShardRequests(Nullable<Int64>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

MinScore(Nullable<Double>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

PostFilter(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

PostFilter(Func<QueryContainerDescriptor<TInferDocument>, QueryContainer>) method

added

Preference(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

PreFilterShardSize(Nullable<Int64>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Profile(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TInferDocument>, QueryContainer>) method

added

RequestCache(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

RequestDefaults(SearchRequestParameters) method

added

Rescore(Func<RescoringDescriptor<T>, IPromise<IList<IRescore>>>) method

deleted

Rescore(Func<RescoringDescriptor<TInferDocument>, IPromise<IList<IRescore>>>) method

added

Routing(Routing) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

ScriptFields(Func<ScriptFieldsDescriptor, IPromise<IScriptFields>>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Scroll(Time) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SearchAfter(IList<Object>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SearchAfter(Object[]) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SearchType(Nullable<SearchType>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SeqNoPrimaryTerm(Nullable<Boolean>) method

deleted

SequenceNumberPrimaryTerm(Nullable<Boolean>) method

added

Size(Nullable<Int32>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Skip(Nullable<Int32>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Slice(Func<SlicedScrollDescriptor<T>, ISlicedScroll>) method

deleted

Slice(Func<SlicedScrollDescriptor<TInferDocument>, ISlicedScroll>) method

added

Sort(Func<SortDescriptor<T>, IPromise<IList<ISort>>>) method

deleted

Sort(Func<SortDescriptor<TInferDocument>, IPromise<IList<ISort>>>) method

added

Source(Boolean) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Source(Func<SourceFilterDescriptor<T>, ISourceFilter>) method

deleted

Source(Func<SourceFilterDescriptor<TInferDocument>, ISourceFilter>) method

added

Stats(String[]) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

StoredFields(Fields) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

StoredFields(Func<FieldsDescriptor<T>, IPromise<Fields>>) method

deleted

StoredFields(Func<FieldsDescriptor<TInferDocument>, IPromise<Fields>>) method

added

Suggest(Func<SuggestContainerDescriptor<T>, IPromise<ISuggestContainer>>) method

deleted

Suggest(Func<SuggestContainerDescriptor<TInferDocument>, IPromise<ISuggestContainer>>) method

added

SuggestField(Field) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SuggestField(Expression<Func<T, Object>>) method

deleted

SuggestField(Expression<Func<TInferDocument, Object>>) method

added

SuggestMode(Nullable<SuggestMode>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SuggestSize(Nullable<Int64>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

SuggestText(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Take(Nullable<Int32>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

TerminateAfter(Nullable<Int64>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Timeout(String) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

TotalHitsAsInteger(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

TrackScores(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

TrackTotalHits(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

TypedKeys(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Version(Nullable<Boolean>) method

Member type changed from SearchDescriptor<T> to SearchDescriptor<TInferDocument>.

Nest.SearchInputRequestedit

Types property

deleted

Nest.SearchInputRequestDescriptoredit

Types<T>() method

deleted

Types(TypeName[]) method

deleted

Types(IEnumerable<TypeName>) method

deleted

Nest.SearchRequestedit

SearchRequest(Indices, Types) method

deleted

Initialize() method

deleted

RequestDefaults(SearchRequestParameters) method

added

CcsMinimizeRoundtrips property

added

SeqNoPrimaryTerm property

deleted

SequenceNumberPrimaryTerm property

added

TypeSelector property

deleted

Nest.SearchRequest<TInferDocument>edit

SearchRequest(Indices, Types) method

deleted

Initialize() method

deleted

Aggregations property

deleted

AllowNoIndices property

deleted

AllowPartialSearchResults property

deleted

Analyzer property

deleted

AnalyzeWildcard property

deleted

BatchedReduceSize property

deleted

Collapse property

deleted

DefaultOperator property

deleted

Df property

deleted

DocValueFields property

deleted

ExpandWildcards property

deleted

Explain property

deleted

From property

deleted

Highlight property

deleted

HttpMethod property

deleted

IgnoreThrottled property

deleted

IgnoreUnavailable property

deleted

IndicesBoost property

deleted

Lenient property

deleted

MaxConcurrentShardRequests property

deleted

MinScore property

deleted

PostFilter property

deleted

Preference property

deleted

PreFilterShardSize property

deleted

Profile property

deleted

Query property

deleted

RequestCache property

deleted

Rescore property

deleted

Routing property

deleted

ScriptFields property

deleted

Scroll property

deleted

SearchAfter property

deleted

SearchType property

deleted

Self property

deleted

SeqNoPrimaryTerm property

deleted

Size property

deleted

Slice property

deleted

Sort property

deleted

Source property

deleted

Stats property

deleted

StoredFields property

deleted

Suggest property

deleted

SuggestField property

deleted

SuggestMode property

deleted

SuggestSize property

deleted

SuggestText property

deleted

TerminateAfter property

deleted

Timeout property

deleted

TotalHitsAsInteger property

deleted

TrackScores property

deleted

TrackTotalHits property

deleted

TypedKeys property

deleted

TypedSelf property

added

TypeSelector property

deleted

Version property

deleted

Nest.SearchResponse<TDocument>edit

Aggs property

deleted

Nest.SearchShardsDescriptor<TDocument>edit

SearchShardsDescriptor(Indices) method

added

AllIndices() method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

Index<TOther>() method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

Index(Indices) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

Local(Nullable<Boolean>) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

Preference(String) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

Routing(Routing) method

Member type changed from SearchShardsDescriptor<T> to SearchShardsDescriptor<TDocument>.

Nest.SearchShardsRequest<TDocument>edit

AllowNoIndices property

deleted

ExpandWildcards property

deleted

IgnoreUnavailable property

deleted

Local property

deleted

Preference property

deleted

Routing property

deleted

Self property

deleted

TypedSelf property

added

Nest.SearchShardsResponseedit

Nodes property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Nest.SearchTemplateDescriptor<TDocument>edit

SearchTemplateDescriptor(Indices) method

added

AllIndices() method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

AllTypes() method

deleted

CcsMinimizeRoundtrips(Nullable<Boolean>) method

added

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Explain(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Id(String) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

IgnoreThrottled(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Index<TOther>() method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Index(Indices) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Initialize() method

deleted

Inline(String) method

deleted

Params(Dictionary<String, Object>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Params(Func<FluentDictionary<String, Object>, FluentDictionary<String, Object>>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Preference(String) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Profile(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

RequestDefaults(SearchTemplateRequestParameters) method

added

Routing(Routing) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Scroll(Time) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

SearchType(Nullable<SearchType>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Source(String) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

TotalHitsAsInteger(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

TypedKeys(Nullable<Boolean>) method

Member type changed from SearchTemplateDescriptor<T> to SearchTemplateDescriptor<TDocument>.

Nest.SearchTemplateRequestedit

SearchTemplateRequest(Indices, Types) method

deleted

Initialize() method

deleted

RequestDefaults(SearchTemplateRequestParameters) method

added

CcsMinimizeRoundtrips property

added

Inline property

deleted

TypeSelector property

deleted

Nest.SearchTemplateRequest<T>edit

SearchTemplateRequest(Indices, Types) method

deleted

Nest.Segmentedit

Size property

deleted

Nest.SegmentsDescriptoredit

SegmentsDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

OperationThreading(String) method

deleted

Nest.SegmentsRequestedit

OperationThreading property

deleted

Nest.SegmentsResponseedit

Indices property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Nest.SegmentsStatsedit

DocValuesMemory property

deleted

FileSizes property

added

FixedBitSetMemory property

deleted

IndexWriterMaxMemory property

deleted

IndexWriterMemory property

deleted

Memory property

deleted

NormsMemory property

deleted

PointsMemory property

deleted

StoredFieldsMemory property

deleted

TermsMemory property

deleted

TermVectorsMemory property

deleted

VersionMapMemory property

deleted

Nest.SelectorBaseedit

type

added

Nest.SelectorBase<TInterface>edit

type

deleted

Nest.SetProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SetSecurityUserProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ShardFielddataedit

type

added

Nest.ShardFieldDataedit

type

deleted

Nest.ShardsOperationResponseBaseedit

Shards property getter

changed to non-virtual.

Nest.ShardStatsedit

Fielddata property

added

FieldData property

deleted

Nest.ShrinkIndexDescriptoredit

ShrinkIndexDescriptor() method

added

CopySettings(Nullable<Boolean>) method

deleted

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.ShrinkIndexRequestedit

ShrinkIndexRequest() method

Member is more visible.

CopySettings property

deleted

Nest.ShrinkIndexResponseedit

ShardsAcknowledged property getter

changed to non-virtual.

Nest.SignificantTermsAggregateedit

type

deleted

Nest.SignificantTermsAggregate<TKey>edit

type

added

Nest.SignificantTermsAggregationedit

Nest.SignificantTermsAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SignificantTermsBucketedit

type

deleted

Nest.SignificantTermsBucket<TKey>edit

type

added

Nest.SignificantTermsIncludeExcludeedit

type

deleted

Nest.SignificantTextAggregationedit

Nest.SignificantTextAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SimilaritiesDescriptoredit

Classic(String, Func<ClassicSimilarityDescriptor, IClassicSimilarity>) method

deleted

Nest.SimilarityOptionedit

type

deleted

Nest.SimulatePipelineDescriptoredit

SimulatePipelineDescriptor(Id) method

added

Nest.SimulatePipelineDocumentedit

Type property

deleted

Nest.SimulatePipelineDocumentDescriptoredit

Type(TypeName) method

deleted

Nest.SimulatePipelineResponseedit

Documents property getter

changed to non-virtual.

Nest.SingleBucketAggregateedit

Aggregations property

deleted

Nest.SlicedScrollDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SnapshotCompletedEventArgsedit

SnapshotCompletedEventArgs(ISnapshotStatusResponse) method

deleted

SnapshotCompletedEventArgs(SnapshotStatusResponse) method

added

Nest.SnapshotDescriptoredit

SnapshotDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.SnapshotNextEventArgsedit

SnapshotNextEventArgs(ISnapshotStatusResponse) method

deleted

SnapshotNextEventArgs(SnapshotStatusResponse) method

added

Nest.SnapshotObservableedit

Subscribe(IObserver<ISnapshotStatusResponse>) method

deleted

Subscribe(IObserver<SnapshotStatusResponse>) method

added

Nest.SnapshotObserveredit

SnapshotObserver(Action<ISnapshotStatusResponse>, Action<Exception>, Action) method

deleted

SnapshotObserver(Action<SnapshotStatusResponse>, Action<Exception>, Action) method

added

Nest.SnapshotRequestedit

SnapshotRequest() method

added

Nest.SnapshotResponseedit

Accepted property getter

changed to non-virtual.

Snapshot property getter

changed to non-virtual.

Snapshot property setter

changed to non-virtual.

Nest.SnapshotStatsedit

NumberOfFiles property

deleted

ProcessedFiles property

deleted

ProcessedSizeInBytes property

deleted

TotalSizeInBytes property

deleted

Nest.SnapshotStatusDescriptoredit

SnapshotStatusDescriptor(Name) method

added

SnapshotStatusDescriptor(Name, Names) method

added

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.SnapshotStatusResponseedit

Snapshots property getter

changed to non-virtual.

Nest.SortBaseedit

NestedFilter property

deleted

NestedPath property

deleted

Nest.SortDescriptor<T>edit

Ascending(Expression<Func<T, Object>>) method

deleted

Ascending<TValue>(Expression<Func<T, TValue>>) method

added

Descending(Expression<Func<T, Object>>) method

deleted

Descending<TValue>(Expression<Func<T, TValue>>) method

added

Field(Func<FieldSortDescriptor<T>, IFieldSort>) method

added

Field(Func<SortFieldDescriptor<T>, IFieldSort>) method

deleted

Field(Expression<Func<T, Object>>, SortOrder) method

deleted

Field<TValue>(Expression<Func<T, TValue>>, SortOrder) method

added

GeoDistance(Func<GeoDistanceSortDescriptor<T>, IGeoDistanceSort>) method

added

GeoDistance(Func<SortGeoDistanceDescriptor<T>, IGeoDistanceSort>) method

deleted

Script(Func<ScriptSortDescriptor<T>, IScriptSort>) method

added

Script(Func<SortScriptDescriptor<T>, IScriptSort>) method

deleted

Nest.SortDescriptorBase<TDescriptor, TInterface, T>edit

NestedFilter(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

NestedPath(Field) method

deleted

NestedPath(Expression<Func<T, Object>>) method

deleted

Nest.SortFieldedit

type

deleted

Nest.SortFieldDescriptor<T>edit

type

deleted

Nest.SortGeoDistanceDescriptor<T>edit

type

deleted

Nest.SortProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SortScriptDescriptor<T>edit

type

deleted

Nest.SourceDescriptor<TDocument>edit

SourceDescriptor() method

added

SourceDescriptor(DocumentPath<T>) method

deleted

SourceDescriptor(Id) method

added

SourceDescriptor(IndexName, Id) method

added

SourceDescriptor(IndexName, TypeName, Id) method

deleted

SourceDescriptor(TDocument, IndexName, Id) method

added

ExecuteOnLocalShard() method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

ExecuteOnPrimary() method

deleted

Index<TOther>() method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

Index(IndexName) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

Parent(String) method

deleted

Preference(String) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

Realtime(Nullable<Boolean>) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

Refresh(Nullable<Boolean>) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

Routing(Routing) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

SourceEnabled(Nullable<Boolean>) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Version(Nullable<Int64>) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

VersionType(Nullable<VersionType>) method

Member type changed from SourceDescriptor<T> to SourceDescriptor<TDocument>.

Nest.SourceExistsDescriptor<TDocument>edit

SourceExistsDescriptor() method

added

SourceExistsDescriptor(DocumentPath<T>) method

deleted

SourceExistsDescriptor(Id) method

added

SourceExistsDescriptor(IndexName, Id) method

added

SourceExistsDescriptor(IndexName, TypeName, Id) method

deleted

SourceExistsDescriptor(TDocument, IndexName, Id) method

added

Index<TOther>() method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

Index(IndexName) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

Parent(String) method

deleted

Preference(String) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

Realtime(Nullable<Boolean>) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

Refresh(Nullable<Boolean>) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

Routing(Routing) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

SourceEnabled(Nullable<Boolean>) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Version(Nullable<Int64>) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

VersionType(Nullable<VersionType>) method

Member type changed from SourceExistsDescriptor<T> to SourceExistsDescriptor<TDocument>.

Nest.SourceExistsRequestedit

SourceExistsRequest() method

added

SourceExistsRequest(IndexName, Id) method

added

SourceExistsRequest(IndexName, TypeName, Id) method

deleted

Parent property

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.SourceExistsRequest<TDocument>edit

SourceExistsRequest() method

added

SourceExistsRequest(DocumentPath<T>, IndexName, TypeName, Id) method

deleted

SourceExistsRequest(Id) method

added

SourceExistsRequest(IndexName, Id) method

added

SourceExistsRequest(IndexName, TypeName, Id) method

deleted

SourceExistsRequest(TDocument, IndexName, Id) method

added

Parent property

deleted

Preference property

deleted

Realtime property

deleted

Refresh property

deleted

Routing property

deleted

Self property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

TypedSelf property

added

Version property

deleted

VersionType property

deleted

Nest.SourceManyExtensionsedit

SourceMany<T>(IElasticClient, IEnumerable<Int64>, String) method

added

SourceMany<T>(IElasticClient, IEnumerable<Int64>, String, String) method

deleted

SourceMany<T>(IElasticClient, IEnumerable<String>, String) method

added

SourceMany<T>(IElasticClient, IEnumerable<String>, String, String) method

deleted

SourceManyAsync<T>(IElasticClient, IEnumerable<Int64>, String, String, CancellationToken) method

deleted

SourceManyAsync<T>(IElasticClient, IEnumerable<Int64>, String, CancellationToken) method

added

SourceManyAsync<T>(IElasticClient, IEnumerable<String>, String, String, CancellationToken) method

deleted

SourceManyAsync<T>(IElasticClient, IEnumerable<String>, String, CancellationToken) method

added

Nest.SourceRequestedit

SourceRequest() method

added

SourceRequest(IndexName, Id) method

added

SourceRequest(IndexName, TypeName, Id) method

deleted

Parent property

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.SourceRequest<TDocument>edit

SourceRequest() method

added

SourceRequest(DocumentPath<T>, IndexName, TypeName, Id) method

deleted

SourceRequest(Id) method

added

SourceRequest(IndexName, Id) method

added

SourceRequest(IndexName, TypeName, Id) method

deleted

SourceRequest(TDocument, IndexName, Id) method

added

Parent property

deleted

Preference property

deleted

Realtime property

deleted

Refresh property

deleted

Routing property

deleted

Self property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

TypedSelf property

added

Version property

deleted

VersionType property

deleted

Nest.SourceRequestResponseBuilder<TDocument>edit

type

added

Nest.SourceResponse<TDocument>edit

Nest.SpanFieldMaskingQueryDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SpanGapQueryDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.Specification.CatApi.CatNamespaceedit

type

added

Nest.Specification.ClusterApi.ClusterNamespaceedit

type

added

Nest.Specification.CrossClusterReplicationApi.CrossClusterReplicationNamespaceedit

type

added

Nest.Specification.GraphApi.GraphNamespaceedit

type

added

Nest.Specification.IndexLifecycleManagementApi.IndexLifecycleManagementNamespaceedit

type

added

Nest.Specification.IndicesApi.IndicesNamespaceedit

type

added

Nest.Specification.IngestApi.IngestNamespaceedit

type

added

Nest.Specification.LicenseApi.LicenseNamespaceedit

type

added

Nest.Specification.MachineLearningApi.MachineLearningNamespaceedit

type

added

Nest.Specification.MigrationApi.MigrationNamespaceedit

type

added

Nest.Specification.NodesApi.NodesNamespaceedit

type

added

Nest.Specification.RollupApi.RollupNamespaceedit

type

added

Nest.Specification.SecurityApi.SecurityNamespaceedit

type

added

Nest.Specification.SnapshotApi.SnapshotNamespaceedit

type

added

Nest.Specification.SqlApi.SqlNamespaceedit

type

added

Nest.Specification.TasksApi.TasksNamespaceedit

type

added

Nest.Specification.WatcherApi.WatcherNamespaceedit

type

added

Nest.Specification.XPackApi.XPackNamespaceedit

type

added

Nest.SplitIndexDescriptoredit

SplitIndexDescriptor() method

added

CopySettings(Nullable<Boolean>) method

deleted

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.SplitIndexRequestedit

SplitIndexRequest() method

Member is more visible.

CopySettings property

deleted

Nest.SplitIndexResponseedit

ShardsAcknowledged property getter

changed to non-virtual.

Nest.SplitProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.StandardTokenFilteredit

type

deleted

Nest.StandardTokenFilterDescriptoredit

type

deleted

Nest.StartBasicLicenseResponseedit

Acknowledge property getter

changed to non-virtual.

BasicWasStarted property getter

changed to non-virtual.

ErrorMessage property getter

changed to non-virtual.

IsValid property

deleted

Nest.StartDatafeedDescriptoredit

StartDatafeedDescriptor() method

added

StartDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.StartDatafeedRequestedit

StartDatafeedRequest() method

added

StartDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.StartDatafeedResponseedit

Started property getter

changed to non-virtual.

Nest.StartIlmDescriptoredit

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.StartIlmRequestedit

MasterTimeout property

deleted

Timeout property

deleted

Nest.StartRollupJobDescriptoredit

StartRollupJobDescriptor() method

added

Nest.StartRollupJobRequestedit

StartRollupJobRequest() method

added

Nest.StartRollupJobResponseedit

Started property getter

changed to non-virtual.

Started property setter

changed to non-virtual.

Nest.StartTrialLicenseDescriptoredit

TypeQueryString(String) method

Parameter name changed from typeQueryString to typequerystring.

Nest.StartTrialLicenseResponseedit

ErrorMessage property getter

changed to non-virtual.

TrialWasStarted property getter

changed to non-virtual.

Nest.StatsAggregateedit

Nest.StopDatafeedDescriptoredit

StopDatafeedDescriptor() method

added

StopDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

AllowNoDatafeeds(Nullable<Boolean>) method

Parameter name changed from allowNoDatafeeds to allownodatafeeds.

Nest.StopDatafeedRequestedit

StopDatafeedRequest() method

added

StopDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.StopDatafeedResponseedit

Stopped property getter

changed to non-virtual.

Nest.StopIlmDescriptoredit

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.StopIlmRequestedit

MasterTimeout property

deleted

Timeout property

deleted

Nest.StopRollupJobDescriptoredit

StopRollupJobDescriptor() method

added

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.StopRollupJobRequestedit

StopRollupJobRequest() method

added

Nest.StopRollupJobResponseedit

Stopped property getter

changed to non-virtual.

Stopped property setter

changed to non-virtual.

Nest.StoredScriptMappingedit

type

deleted

Nest.StringEnumAttributeedit

type

deleted

Nest.Suggest<T>edit

Length property getter

changed to virtual.

Offset property getter

changed to virtual.

Options property getter

changed to virtual.

Text property getter

changed to virtual.

Nest.SuggestContextDescriptorBase<TDescriptor, TInterface, T>edit

Path(Expression<Func<T, Object>>) method

deleted

Path<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SuggestDescriptorBase<TDescriptor, TInterface, T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SuggestDictionary<T>edit

SuggestDictionary(IReadOnlyDictionary<String, ISuggest<T>[]>) method

added

SuggestDictionary(IReadOnlyDictionary<String, Suggest<T>[]>) method

deleted

Nest.SuggestFuzzinessedit

type

added

Nest.SuggestFuzzinessDescriptor<T>edit

type

added

Nest.SuggestOption<TDocument>edit

CollateMatch property getter

changed to virtual.

Contexts property getter

changed to virtual.

DocumentScore property getter

Member is more visible.

Frequency property getter

changed to virtual.

Frequency property setter

changed to virtual.

Highlighted property getter

changed to virtual.

Id property getter

changed to virtual.

Index property getter

changed to virtual.

Score property getter

changed to virtual.

Source property getter

changed to virtual.

SuggestScore property getter

Member is more visible.

Text property getter

changed to virtual.

Type property

deleted

Nest.SumDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

FieldName(Expression<Func<T, Object>>) method

deleted

FieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.SyncedFlushDescriptoredit

SyncedFlushDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Nest.SynonymGraphTokenFilteredit

IgnoreCase property

deleted

Nest.SynonymGraphTokenFilterDescriptoredit

IgnoreCase(Nullable<Boolean>) method

deleted

Nest.SynonymTokenFilteredit

IgnoreCase property

deleted

Nest.SynonymTokenFilterDescriptoredit

IgnoreCase(Nullable<Boolean>) method

deleted

Nest.TaskStatusedit

Nest.TemplateMappingedit

Nest.TermsAggregationDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.TermsOrderedit

Key property getter

changed to virtual.

Key property setter

changed to virtual.

Order property getter

changed to virtual.

Order property setter

changed to virtual.

TermAscending property

deleted

TermDescending property

deleted

Nest.TermsSetQueryDescriptor<T>edit

MinimumShouldMatchField(Expression<Func<T, Object>>) method

deleted

MinimumShouldMatchField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.TermSuggesteredit

Nest.TermSuggesterDescriptor<T>edit

MaxTermFrequency(Nullable<Decimal>) method

deleted

MaxTermFrequency(Nullable<Single>) method

added

MinDocFrequency(Nullable<Decimal>) method

deleted

MinDocFrequency(Nullable<Single>) method

added

Nest.TermVectorsDescriptor<TDocument>edit

TermVectorsDescriptor() method

added

TermVectorsDescriptor(DocumentPath<TDocument>) method

deleted

TermVectorsDescriptor(Id) method

added

TermVectorsDescriptor(IndexName) method

added

TermVectorsDescriptor(IndexName, Id) method

added

TermVectorsDescriptor(IndexName, TypeName) method

deleted

TermVectorsDescriptor(TDocument, IndexName, Id) method

added

FieldStatistics(Nullable<Boolean>) method

Parameter name changed from fieldStatistics to fieldstatistics.

Parent(String) method

deleted

TermStatistics(Nullable<Boolean>) method

Parameter name changed from termStatistics to termstatistics.

Type<TOther>() method

deleted

Type(TypeName) method

deleted

VersionType(Nullable<VersionType>) method

Parameter name changed from versionType to versiontype.

Nest.TermVectorsRequest<TDocument>edit

TermVectorsRequest() method

added

TermVectorsRequest(DocumentPath<TDocument>, IndexName, TypeName, Id) method

deleted

TermVectorsRequest(Id) method

added

TermVectorsRequest(IndexName) method

added

TermVectorsRequest(IndexName, Id) method

added

TermVectorsRequest(IndexName, TypeName) method

deleted

TermVectorsRequest(IndexName, TypeName, Id) method

deleted

TermVectorsRequest(TDocument, IndexName, Id) method

added

Parent property

deleted

Nest.TermVectorsResponseedit

Found property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Index property getter

changed to non-virtual.

IsValid property

added

TermVectors property getter

changed to non-virtual.

Took property getter

changed to non-virtual.

Type property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.TermVectorsResultedit

Type property

deleted

Nest.TimeDetectorDescriptor<T>edit

ByFieldName(Expression<Func<T, Object>>) method

deleted

ByFieldName<TValue>(Expression<Func<T, TValue>>) method

added

OverFieldName(Expression<Func<T, Object>>) method

deleted

OverFieldName<TValue>(Expression<Func<T, TValue>>) method

added

PartitionFieldName(Expression<Func<T, Object>>) method

deleted

PartitionFieldName<TValue>(Expression<Func<T, TValue>>) method

added

Nest.Timestampedit

type

added

Nest.TokenFiltersDescriptoredit

Standard(String, Func<StandardTokenFilterDescriptor, IStandardTokenFilter>) method

deleted

Nest.TopHitsAggregateedit

Hits<TDocument>() method

Member type changed from IReadOnlyCollection<Hit<TDocument>> to IReadOnlyCollection<IHit<TDocument>>.

Nest.TotalHitsedit

type

added

Nest.TotalHitsRelationedit

type

added

Nest.TranslateSqlDescriptoredit

RequestDefaults(TranslateSqlRequestParameters) method

added

Nest.TranslateSqlRequestedit

RequestDefaults(TranslateSqlRequestParameters) method

added

Nest.TranslateSqlResponseedit

Result property getter

changed to non-virtual.

Nest.TransportStatsedit

RxCount property

added

RXCount property

deleted

RxSize property

added

RXSize property

deleted

RxSizeInBytes property

added

RXSizeInBytes property

deleted

TxCount property

added

TXCount property

deleted

TxSize property

added

TXSize property

deleted

TxSizeInBytes property

added

TXSizeInBytes property

deleted

Nest.TrimProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.TypeExistsDescriptoredit

TypeExistsDescriptor() method

added

TypeExistsDescriptor(Indices, Names) method

added

TypeExistsDescriptor(Indices, Types) method

deleted

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

AllTypes() method

deleted

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

Type<TOther>() method

deleted

Type(Types) method

deleted

Nest.TypeExistsRequestedit

TypeExistsRequest() method

added

TypeExistsRequest(Indices, Names) method

added

TypeExistsRequest(Indices, Types) method

deleted

Nest.TypeFieldMappingsedit

Nest.TypeMappingsedit

type

deleted

Nest.TypeNameedit

type

deleted

Nest.TypeNameResolveredit

type

deleted

Nest.TypeQueryedit

type

deleted

Nest.TypeQueryDescriptoredit

type

deleted

Nest.Typesedit

type

deleted

Nest.UnfollowIndexDescriptoredit

UnfollowIndexDescriptor() method

added

Nest.UnfollowIndexRequestedit

UnfollowIndexRequest() method

added

Nest.UpdateByQueryDescriptor<TDocument>edit

UpdateByQueryDescriptor() method

added

AllIndices() method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

AllTypes() method

deleted

Analyzer(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

AnalyzeWildcard(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Conflicts(Nullable<Conflicts>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

DefaultOperator(Nullable<DefaultOperator>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Df(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

From(Nullable<Int64>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Index<TOther>() method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Index(Indices) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Lenient(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

MatchAll() method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Pipeline(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Preference(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

QueryOnQueryString(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Refresh(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

RequestCache(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

RequestsPerSecond(Nullable<Int64>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Routing(Routing) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Script(Func<ScriptDescriptor, IScript>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Script(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Scroll(Time) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

ScrollSize(Nullable<Int64>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

SearchTimeout(Time) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

SearchType(Nullable<SearchType>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Size(Nullable<Int64>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Slices(Nullable<Int64>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Sort(String[]) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

SourceEnabled(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

SourceExclude(Fields) method

deleted

SourceExclude(Expression<Func<T, Object>>[]) method

deleted

SourceExcludes(Fields) method

added

SourceExcludes(Expression<Func<TDocument, Object>>[]) method

added

SourceInclude(Fields) method

deleted

SourceInclude(Expression<Func<T, Object>>[]) method

deleted

SourceIncludes(Fields) method

added

SourceIncludes(Expression<Func<TDocument, Object>>[]) method

added

Stats(String[]) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

TerminateAfter(Nullable<Int64>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Timeout(Time) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Version(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

VersionType(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

WaitForActiveShards(String) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

WaitForCompletion(Nullable<Boolean>) method

Member type changed from UpdateByQueryDescriptor<T> to UpdateByQueryDescriptor<TDocument>.

Nest.UpdateByQueryRequestedit

UpdateByQueryRequest() method

added

UpdateByQueryRequest(Indices, Types) method

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.UpdateByQueryRequest<TDocument>edit

UpdateByQueryRequest() method

added

UpdateByQueryRequest(Indices, Types) method

deleted

AllowNoIndices property

deleted

Analyzer property

deleted

AnalyzeWildcard property

deleted

Conflicts property

deleted

DefaultOperator property

deleted

Df property

deleted

ExpandWildcards property

deleted

From property

deleted

IgnoreUnavailable property

deleted

Lenient property

deleted

Pipeline property

deleted

Preference property

deleted

Query property

deleted

QueryOnQueryString property

deleted

Refresh property

deleted

RequestCache property

deleted

RequestsPerSecond property

deleted

Routing property

deleted

Script property

deleted

Scroll property

deleted

ScrollSize property

deleted

SearchTimeout property

deleted

SearchType property

deleted

Self property

deleted

Size property

deleted

Slices property

deleted

Sort property

deleted

SourceEnabled property

deleted

SourceExclude property

deleted

SourceInclude property

deleted

Stats property

deleted

TerminateAfter property

deleted

Timeout property

deleted

TypedSelf property

added

Version property

deleted

VersionType property

deleted

WaitForActiveShards property

deleted

WaitForCompletion property

deleted

Nest.UpdateByQueryResponseedit

Batches property getter

changed to non-virtual.

Failures property getter

changed to non-virtual.

Noops property getter

changed to non-virtual.

RequestsPerSecond property getter

changed to non-virtual.

Retries property getter

changed to non-virtual.

Task property getter

changed to non-virtual.

TimedOut property getter

changed to non-virtual.

Took property getter

changed to non-virtual.

Total property getter

changed to non-virtual.

Updated property getter

changed to non-virtual.

VersionConflicts property getter

changed to non-virtual.

Nest.UpdateByQueryRethrottleDescriptoredit

UpdateByQueryRethrottleDescriptor() method

added

UpdateByQueryRethrottleDescriptor(TaskId) method

Parameter name changed from task_id to taskId.

RequestsPerSecond(Nullable<Int64>) method

Parameter name changed from requestsPerSecond to requestspersecond.

Nest.UpdateByQueryRethrottleRequestedit

UpdateByQueryRethrottleRequest() method

added

UpdateByQueryRethrottleRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.UpdateDatafeedDescriptor<TDocument>edit

UpdateDatafeedDescriptor() method

added

UpdateDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Aggregations(Func<AggregationContainerDescriptor<T>, IAggregationContainer>) method

deleted

Aggregations(Func<AggregationContainerDescriptor<TDocument>, IAggregationContainer>) method

added

AllIndices() method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

AllTypes() method

deleted

ChunkingConfig(Func<ChunkingConfigDescriptor, IChunkingConfig>) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

Frequency(Time) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

Indices<TOther>() method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

Indices(Indices) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

JobId(Id) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

QueryDelay(Time) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

ScriptFields(Func<ScriptFieldsDescriptor, IPromise<IScriptFields>>) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

ScrollSize(Nullable<Int32>) method

Member type changed from UpdateDatafeedDescriptor<T> to UpdateDatafeedDescriptor<TDocument>.

Types<TOther>() method

deleted

Types(Types) method

deleted

Nest.UpdateDatafeedRequestedit

UpdateDatafeedRequest() method

added

UpdateDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Types property

deleted

Nest.UpdateDatafeedResponseedit

Aggregations property getter

changed to non-virtual.

ChunkingConfig property getter

changed to non-virtual.

DatafeedId property getter

changed to non-virtual.

Frequency property getter

changed to non-virtual.

Indices property getter

changed to non-virtual.

JobId property getter

changed to non-virtual.

Query property getter

changed to non-virtual.

QueryDelay property getter

changed to non-virtual.

ScriptFields property getter

changed to non-virtual.

ScrollSize property getter

changed to non-virtual.

Types property

deleted

Nest.UpdateDescriptor<TDocument, TPartialDocument>edit

UpdateDescriptor() method

added

UpdateDescriptor(DocumentPath<TDocument>) method

deleted

UpdateDescriptor(Id) method

added

UpdateDescriptor(IndexName, Id) method

added

UpdateDescriptor(IndexName, TypeName, Id) method

deleted

UpdateDescriptor(TDocument, IndexName, Id) method

added

Fields(Fields) method

deleted

Fields(Expression<Func<TPartialDocument, Object>>[]) method

deleted

Fields(String[]) method

deleted

IfPrimaryTerm(Nullable<Int64>) method

Parameter name changed from ifPrimaryTerm to ifprimaryterm.

IfSeqNo(Nullable<Int64>) method

deleted

IfSequenceNumber(Nullable<Int64>) method

added

Parent(String) method

deleted

RetryOnConflict(Nullable<Int64>) method

Parameter name changed from retryOnConflict to retryonconflict.

SourceEnabled(Nullable<Boolean>) method

Parameter name changed from sourceEnabled to sourceenabled.

Type<TOther>() method

deleted

Type(TypeName) method

deleted

Version(Nullable<Int64>) method

deleted

VersionType(Nullable<VersionType>) method

deleted

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.UpdateFilterDescriptoredit

UpdateFilterDescriptor() method

added

UpdateFilterDescriptor(Id) method

Parameter name changed from filter_id to filterId.

Nest.UpdateFilterRequestedit

UpdateFilterRequest() method

added

UpdateFilterRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.UpdateFilterResponseedit

Description property getter

changed to non-virtual.

FilterId property getter

changed to non-virtual.

Items property getter

changed to non-virtual.

Nest.UpdateIndexSettingsDescriptoredit

UpdateIndexSettingsDescriptor(Indices) method

added

AllowNoIndices(Nullable<Boolean>) method

Parameter name changed from allowNoIndices to allownoindices.

ExpandWildcards(Nullable<ExpandWildcards>) method

Parameter name changed from expandWildcards to expandwildcards.

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

IgnoreUnavailable(Nullable<Boolean>) method

Parameter name changed from ignoreUnavailable to ignoreunavailable.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

PreserveExisting(Nullable<Boolean>) method

Parameter name changed from preserveExisting to preserveexisting.

Nest.UpdateJobDescriptor<TDocument>edit

UpdateJobDescriptor() method

added

UpdateJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

AnalysisLimits(Func<AnalysisMemoryLimitDescriptor, IAnalysisMemoryLimit>) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

BackgroundPersistInterval(Time) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

CustomSettings(Func<FluentDictionary<String, Object>, FluentDictionary<String, Object>>) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

Description(String) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

ModelPlot(Func<ModelPlotConfigEnabledDescriptor<T>, IModelPlotConfigEnabled>) method

deleted

ModelPlot(Func<ModelPlotConfigEnabledDescriptor<TDocument>, IModelPlotConfigEnabled>) method

added

ModelSnapshotRetentionDays(Nullable<Int64>) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

RenormalizationWindowDays(Nullable<Int64>) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

ResultsRetentionDays(Nullable<Int64>) method

Member type changed from UpdateJobDescriptor<T> to UpdateJobDescriptor<TDocument>.

Nest.UpdateJobRequestedit

UpdateJobRequest() method

added

UpdateJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.UpdateModelSnapshotDescriptoredit

UpdateModelSnapshotDescriptor() method

added

UpdateModelSnapshotDescriptor(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.UpdateModelSnapshotRequestedit

UpdateModelSnapshotRequest() method

added

UpdateModelSnapshotRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.UpdateModelSnapshotResponseedit

Model property getter

changed to non-virtual.

Nest.UpdateRequest<TDocument, TPartialDocument>edit

UpdateRequest() method

added

UpdateRequest(DocumentPath<TDocument>, IndexName, TypeName, Id) method

deleted

UpdateRequest(Id) method

added

UpdateRequest(IndexName, Id) method

added

UpdateRequest(IndexName, TypeName, Id) method

deleted

UpdateRequest(TDocument, IndexName, Id) method

added

Fields property

deleted

IfSeqNo property

deleted

IfSequenceNumber property

added

Parent property

deleted

Version property

deleted

VersionType property

deleted

Nest.UpdateResponse<TDocument>edit

Id property

deleted

Index property

deleted

IsValid property

added

Result property

deleted

ShardsHit property

deleted

Type property

deleted

Version property

deleted

Nest.UpgradeActionRequirededit

type

deleted

Nest.UpgradeDescriptoredit

type

deleted

Nest.UpgradeRequestedit

type

deleted

Nest.UpgradeResponseedit

type

deleted

Nest.UpgradeStatusedit

type

deleted

Nest.UpgradeStatusDescriptoredit

type

deleted

Nest.UpgradeStatusRequestedit

type

deleted

Nest.UpgradeStatusResponseedit

type

deleted

Nest.UppercaseProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.UrlDecodeProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.UserAgentProcessorDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

TargetField(Expression<Func<T, Object>>) method

deleted

TargetField<TValue>(Expression<Func<T, TValue>>) method

added

Nest.ValidateDetectorDescriptor<TDocument>edit

Count(Func<CountDetectorDescriptor<T>, ICountDetector>) method

deleted

Count(Func<CountDetectorDescriptor<TDocument>, ICountDetector>) method

added

DistinctCount(Func<DistinctCountDetectorDescriptor<T>, IDistinctCountDetector>) method

deleted

DistinctCount(Func<DistinctCountDetectorDescriptor<TDocument>, IDistinctCountDetector>) method

added

FreqRare(Func<RareDetectorDescriptor<T>, IRareDetector>) method

deleted

FreqRare(Func<RareDetectorDescriptor<TDocument>, IRareDetector>) method

added

HighCount(Func<CountDetectorDescriptor<T>, ICountDetector>) method

deleted

HighCount(Func<CountDetectorDescriptor<TDocument>, ICountDetector>) method

added

HighDistinctCount(Func<DistinctCountDetectorDescriptor<T>, IDistinctCountDetector>) method

deleted

HighDistinctCount(Func<DistinctCountDetectorDescriptor<TDocument>, IDistinctCountDetector>) method

added

HighInfoContent(Func<InfoContentDetectorDescriptor<T>, IInfoContentDetector>) method

deleted

HighInfoContent(Func<InfoContentDetectorDescriptor<TDocument>, IInfoContentDetector>) method

added

HighMean(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

HighMean(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

HighMedian(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

HighMedian(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

HighNonNullSum(Func<NonNullSumDetectorDescriptor<T>, INonNullSumDetector>) method

deleted

HighNonNullSum(Func<NonNullSumDetectorDescriptor<TDocument>, INonNullSumDetector>) method

added

HighNonZeroCount(Func<NonZeroCountDetectorDescriptor<T>, INonZeroCountDetector>) method

deleted

HighNonZeroCount(Func<NonZeroCountDetectorDescriptor<TDocument>, INonZeroCountDetector>) method

added

HighSum(Func<SumDetectorDescriptor<T>, ISumDetector>) method

deleted

HighSum(Func<SumDetectorDescriptor<TDocument>, ISumDetector>) method

added

HighVarp(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

HighVarp(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

InfoContent(Func<InfoContentDetectorDescriptor<T>, IInfoContentDetector>) method

deleted

InfoContent(Func<InfoContentDetectorDescriptor<TDocument>, IInfoContentDetector>) method

added

LowCount(Func<CountDetectorDescriptor<T>, ICountDetector>) method

deleted

LowCount(Func<CountDetectorDescriptor<TDocument>, ICountDetector>) method

added

LowDistinctCount(Func<DistinctCountDetectorDescriptor<T>, IDistinctCountDetector>) method

deleted

LowDistinctCount(Func<DistinctCountDetectorDescriptor<TDocument>, IDistinctCountDetector>) method

added

LowInfoContent(Func<InfoContentDetectorDescriptor<T>, IInfoContentDetector>) method

deleted

LowInfoContent(Func<InfoContentDetectorDescriptor<TDocument>, IInfoContentDetector>) method

added

LowMean(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

LowMean(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

LowMedian(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

LowMedian(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

LowNonNullSum(Func<NonNullSumDetectorDescriptor<T>, INonNullSumDetector>) method

deleted

LowNonNullSum(Func<NonNullSumDetectorDescriptor<TDocument>, INonNullSumDetector>) method

added

LowNonZeroCount(Func<NonZeroCountDetectorDescriptor<T>, INonZeroCountDetector>) method

deleted

LowNonZeroCount(Func<NonZeroCountDetectorDescriptor<TDocument>, INonZeroCountDetector>) method

added

LowSum(Func<SumDetectorDescriptor<T>, ISumDetector>) method

deleted

LowSum(Func<SumDetectorDescriptor<TDocument>, ISumDetector>) method

added

LowVarp(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

LowVarp(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

Max(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

Max(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

Mean(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

Mean(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

Median(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

Median(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

Metric(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

Metric(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

Min(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

Min(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

NonNullSum(Func<NonNullSumDetectorDescriptor<T>, INonNullSumDetector>) method

deleted

NonNullSum(Func<NonNullSumDetectorDescriptor<TDocument>, INonNullSumDetector>) method

added

NonZeroCount(Func<NonZeroCountDetectorDescriptor<T>, INonZeroCountDetector>) method

deleted

NonZeroCount(Func<NonZeroCountDetectorDescriptor<TDocument>, INonZeroCountDetector>) method

added

Rare(Func<RareDetectorDescriptor<T>, IRareDetector>) method

deleted

Rare(Func<RareDetectorDescriptor<TDocument>, IRareDetector>) method

added

Sum(Func<SumDetectorDescriptor<T>, ISumDetector>) method

deleted

Sum(Func<SumDetectorDescriptor<TDocument>, ISumDetector>) method

added

TimeOfDay(Func<TimeDetectorDescriptor<T>, ITimeDetector>) method

deleted

TimeOfDay(Func<TimeDetectorDescriptor<TDocument>, ITimeDetector>) method

added

TimeOfWeek(Func<TimeDetectorDescriptor<T>, ITimeDetector>) method

deleted

TimeOfWeek(Func<TimeDetectorDescriptor<TDocument>, ITimeDetector>) method

added

Varp(Func<MetricDetectorDescriptor<T>, IMetricDetector>) method

deleted

Varp(Func<MetricDetectorDescriptor<TDocument>, IMetricDetector>) method

added

Nest.ValidateJobDescriptor<TDocument>edit

AnalysisConfig(Func<AnalysisConfigDescriptor<T>, IAnalysisConfig>) method

deleted

AnalysisConfig(Func<AnalysisConfigDescriptor<TDocument>, IAnalysisConfig>) method

added

AnalysisLimits(Func<AnalysisLimitsDescriptor, IAnalysisLimits>) method

Member type changed from ValidateJobDescriptor<T> to ValidateJobDescriptor<TDocument>.

DataDescription(Func<DataDescriptionDescriptor<T>, IDataDescription>) method

deleted

DataDescription(Func<DataDescriptionDescriptor<TDocument>, IDataDescription>) method

added

Description(String) method

Member type changed from ValidateJobDescriptor<T> to ValidateJobDescriptor<TDocument>.

ModelPlot(Func<ModelPlotConfigDescriptor<T>, IModelPlotConfig>) method

deleted

ModelPlot(Func<ModelPlotConfigDescriptor<TDocument>, IModelPlotConfig>) method

added

ModelSnapshotRetentionDays(Nullable<Int64>) method

Member type changed from ValidateJobDescriptor<T> to ValidateJobDescriptor<TDocument>.

ResultsIndexName<TIndex>() method

Member type changed from ValidateJobDescriptor<T> to ValidateJobDescriptor<TDocument>.

ResultsIndexName(IndexName) method

Member type changed from ValidateJobDescriptor<T> to ValidateJobDescriptor<TDocument>.

Nest.ValidateQueryDescriptor<TDocument>edit

ValidateQueryDescriptor(Indices) method

added

AllIndices() method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

AllowNoIndices(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

AllShards(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

AllTypes() method

deleted

Analyzer(String) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

AnalyzeWildcard(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

DefaultOperator(Nullable<DefaultOperator>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Df(String) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

ExpandWildcards(Nullable<ExpandWildcards>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Explain(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

IgnoreUnavailable(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Index<TOther>() method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Index(Indices) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Lenient(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

OperationThreading(String) method

deleted

Query(Func<QueryContainerDescriptor<T>, QueryContainer>) method

deleted

Query(Func<QueryContainerDescriptor<TDocument>, QueryContainer>) method

added

QueryOnQueryString(String) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Rewrite(Nullable<Boolean>) method

Member type changed from ValidateQueryDescriptor<T> to ValidateQueryDescriptor<TDocument>.

Type<TOther>() method

deleted

Type(Types) method

deleted

Nest.ValidateQueryRequestedit

ValidateQueryRequest(Indices, Types) method

deleted

OperationThreading property

deleted

Nest.ValidateQueryRequest<TDocument>edit

ValidateQueryRequest(Indices, Types) method

deleted

AllowNoIndices property

deleted

AllShards property

deleted

Analyzer property

deleted

AnalyzeWildcard property

deleted

DefaultOperator property

deleted

Df property

deleted

ExpandWildcards property

deleted

Explain property

deleted

IgnoreUnavailable property

deleted

Lenient property

deleted

OperationThreading property

deleted

Query property

deleted

QueryOnQueryString property

deleted

Rewrite property

deleted

Self property

deleted

TypedSelf property

added

Nest.ValidateQueryResponseedit

Explanations property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Valid property getter

changed to non-virtual.

Nest.VerifyRepositoryDescriptoredit

VerifyRepositoryDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.VerifyRepositoryRequestedit

VerifyRepositoryRequest() method

added

Nest.VerifyRepositoryResponseedit

Nodes property getter

changed to non-virtual.

Nest.Watchedit

Actions property getter

changed to virtual.

Actions property setter

Member is more visible.

Condition property getter

changed to virtual.

Condition property setter

Member is more visible.

Input property getter

changed to virtual.

Input property setter

Member is more visible.

Meta property

deleted

Metadata property

added

Status property setter

Member is more visible.

ThrottlePeriod property getter

changed to virtual.

ThrottlePeriod property setter

Member is more visible.

Transform property getter

changed to virtual.

Transform property setter

Member is more visible.

Trigger property getter

changed to virtual.

Trigger property setter

Member is more visible.

Nest.WatchDescriptoredit

type

added

Nest.WatcherStatsDescriptoredit

WatcherStatsDescriptor(Metrics) method

added

EmitStacktraces(Nullable<Boolean>) method

Parameter name changed from emitStacktraces to emitstacktraces.

Metric(Metrics) method

added

WatcherStatsMetric(WatcherStatsMetric) method

deleted

Nest.WatcherStatsRequestedit

WatcherStatsRequest(WatcherStatsMetric) method

deleted

WatcherStatsRequest(Metrics) method

added

Nest.WatcherStatsResponseedit

ClusterName property getter

changed to non-virtual.

ManuallyStopped property getter

changed to non-virtual.

Stats property getter

changed to non-virtual.

Nest.WatchRecordedit

Node property

added

Nest.WeightedAverageValueDescriptor<T>edit

Field(Expression<Func<T, Object>>) method

deleted

Field<TValue>(Expression<Func<T, TValue>>) method

added

Nest.WildcardQuery<T>edit

type

deleted

Nest.WildcardQuery<T, TValue>edit

type

added

Nest.WriteResponseBaseedit

type

added

Nest.XPackInfoResponseedit

Build property getter

changed to non-virtual.

Features property getter

changed to non-virtual.

License property getter

changed to non-virtual.

Tagline property getter

changed to non-virtual.

Nest.XPackUsageDescriptoredit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.XPackUsageResponseedit

Alerting property getter

changed to non-virtual.

Ccr property getter

changed to non-virtual.

Graph property getter

changed to non-virtual.

Logstash property getter

changed to non-virtual.

MachineLearning property getter

changed to non-virtual.

Monitoring property getter

changed to non-virtual.

Rollup property getter

changed to non-virtual.

Security property getter

changed to non-virtual.

Sql property getter

changed to non-virtual.

System.Collections.Generic.SynchronizedCollection<T>edit

type

deleted