NEST Breaking Changes

edit

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 removal

edit

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 serialization

edit

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 changes

edit

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 Assistant

edit

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 Assistant

edit

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 removed

edit

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 semantics

edit

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 Client

edit

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 Client

edit

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 changes

edit

Nest.AcknowledgedResponseBase

edit

Acknowledged property getter

changed to non-virtual.

IsValid property

added

Nest.AcknowledgeWatchDescriptor

edit

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.AcknowledgeWatchRequest

edit

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.AcknowledgeWatchResponse

edit

Status property getter

changed to non-virtual.

Nest.ActionIds

edit

type

deleted

Nest.ActionsDescriptor

edit

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

deleted

Nest.ActivateWatchDescriptor

edit

ActivateWatchDescriptor() method

added

ActivateWatchDescriptor(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout(Time) method

deleted

Nest.ActivateWatchRequest

edit

ActivateWatchRequest() method

added

ActivateWatchRequest(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout property

deleted

Nest.ActivateWatchResponse

edit

Status property getter

changed to non-virtual.

Nest.AggregateDictionary

edit

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.AliasExistsDescriptor

edit

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.AliasExistsRequest

edit

AliasExistsRequest() method

added

Nest.AllocationId

edit

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.AnalyzeCharFilters

edit

Add(String) method

added

Nest.AnalyzeDescriptor

edit

AnalyzeDescriptor(IndexName) method

added

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

added

Format(Nullable<Format>) method

deleted

PreferLocal(Nullable<Boolean>) method

deleted

Nest.AnalyzeRequest

edit

Format property

deleted

PreferLocal property

deleted

Nest.AnalyzeResponse

edit

Detail property getter

changed to non-virtual.

Tokens property getter

changed to non-virtual.

Nest.AnalyzeTokenFiltersDescriptor

edit

Standard(Func<StandardTokenFilterDescriptor, IStandardTokenFilter>) method

deleted

Nest.ApiKeys

edit

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.ApplicationPrivilegesDescriptor

edit

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.ApplicationPrivilegesListDescriptor

edit

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.AuthenticateResponse

edit

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.BlockingSubscribeExtensions

edit

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.BlockState

edit

type

deleted

Nest.BucketAggregate

edit

Meta property setter

changed to non-virtual.

Nest.BucketAggregateBase

edit

Meta property setter

changed to non-virtual.

Nest.BucketAggregationDescriptorBase<TBucketAggregation, TBucketAggregationInterface, T>

edit

Assign(Action<TBucketAggregationInterface>) method

deleted

Nest.BulkAliasDescriptor

edit

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.BulkAllObserver

edit

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.BulkAllResponse

edit

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.BulkDescriptor

edit

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.BulkError

edit

type

deleted

Nest.BulkIndexByScrollFailure

edit

Nest.BulkIndexDescriptor<T>

edit

IfPrimaryTerm(Nullable<Int64>) method

added

IfSequenceNumber(Nullable<Int64>) method

added

Nest.BulkIndexFailureCause

edit

type

deleted

Nest.BulkIndexOperation<T>

edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.BulkOperationBase

edit

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.BulkRequest

edit

BulkRequest(IndexName, TypeName) method

deleted

Fields property

deleted

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

TypeQueryString property

added

Nest.BulkResponse

edit

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.BulkResponseItemBase

edit

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.BytesValueConverter

edit

type

deleted

Nest.CancelTasksDescriptor

edit

CancelTasksDescriptor(TaskId) method

added

ParentNode(String) method

deleted

ParentTaskId(String) method

Parameter name changed from parentTaskId to parenttaskid.

Nest.CancelTasksRequest

edit

CancelTasksRequest(TaskId) method

Parameter name changed from task_id to taskId.

ParentNode property

deleted

Nest.CancelTasksResponse

edit

NodeFailures property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.CatAliasesDescriptor

edit

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.CatAllocationDescriptor

edit

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.CatAllocationRequest

edit

CatAllocationRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

Nest.CatCountDescriptor

edit

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.CategoryId

edit

type

deleted

Nest.CatFielddataDescriptor

edit

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.CatHealthDescriptor

edit

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.CatHelpDescriptor

edit

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatIndicesDescriptor

edit

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.CatIndicesRecord

edit

UUID property

added

Nest.CatMasterDescriptor

edit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatNodeAttributesDescriptor

edit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatNodesDescriptor

edit

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.CatPendingTasksDescriptor

edit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatPluginsDescriptor

edit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatRecoveryDescriptor

edit

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.CatRepositoriesDescriptor

edit

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.CatSegmentsDescriptor

edit

CatSegmentsDescriptor(Indices) method

added

SortByColumns(String[]) method

Parameter name changed from sortByColumns to sortbycolumns.

Nest.CatShardsDescriptor

edit

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.CatSnapshotsDescriptor

edit

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.CatSnapshotsRecord

edit

SuccesfulShards property

deleted

SuccessfulShards property

added

Nest.CatTasksDescriptor

edit

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.CatTasksRequest

edit

ParentNode property

deleted

Nest.CatTemplatesDescriptor

edit

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.CatTemplatesRecord

edit

Nest.CatThreadPoolDescriptor

edit

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.CatThreadPoolRecord

edit

Core property

added

Minimum property

deleted

PoolSize property

added

Nest.CatThreadPoolRequest

edit

CatThreadPoolRequest(Names) method

Parameter name changed from thread_pool_patterns to threadPoolPatterns.

Nest.CcrStatsResponse

edit

AutoFollowStats property getter

changed to non-virtual.

FollowStats property getter

changed to non-virtual.

Nest.ChangePasswordDescriptor

edit

ChangePasswordDescriptor(Name) method

added

Nest.CircleGeoShape

edit

CircleGeoShape() method

Member is less visible.

CircleGeoShape(GeoCoordinate) method

deleted

CircleGeoShape(GeoCoordinate, String) method

added

Nest.ClassicSimilarity

edit

type

deleted

Nest.ClassicSimilarityDescriptor

edit

type

deleted

Nest.ClearCacheDescriptor

edit

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.ClearCachedRealmsDescriptor

edit

ClearCachedRealmsDescriptor() method

added

Nest.ClearCachedRealmsRequest

edit

ClearCachedRealmsRequest() method

added

Nest.ClearCachedRealmsResponse

edit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.ClearCachedRolesDescriptor

edit

ClearCachedRolesDescriptor() method

added

Nest.ClearCachedRolesRequest

edit

ClearCachedRolesRequest() method

added

Nest.ClearCachedRolesResponse

edit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.ClearCacheRequest

edit

Recycler property

deleted

RequestCache property

deleted

Nest.ClearSqlCursorResponse

edit

Succeeded property getter

changed to non-virtual.

Nest.CloseIndexDescriptor

edit

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.CloseIndexRequest

edit

CloseIndexRequest() method

added

Nest.CloseJobDescriptor

edit

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.CloseJobRequest

edit

CloseJobRequest() method

added

CloseJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.CloseJobResponse

edit

Closed property getter

changed to non-virtual.

Nest.ClrTypeMapping

edit

TypeName property

deleted

Nest.ClrTypeMappingDescriptor

edit

TypeName(String) method

deleted

Nest.ClrTypeMappingDescriptor<TDocument>

edit

TypeName(String) method

deleted

Nest.ClusterAllocationExplainDescriptor

edit

IncludeDiskInfo(Nullable<Boolean>) method

Parameter name changed from includeDiskInfo to includediskinfo.

IncludeYesDecisions(Nullable<Boolean>) method

Parameter name changed from includeYesDecisions to includeyesdecisions.

Nest.ClusterAllocationExplainResponse

edit

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.ClusterFileSystem

edit

Available property

deleted

Free property

deleted

Total property

deleted

Nest.ClusterGetSettingsDescriptor

edit

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.ClusterGetSettingsResponse

edit

Persistent property getter

changed to non-virtual.

Transient property getter

changed to non-virtual.

Nest.ClusterHealthDescriptor

edit

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.ClusterHealthResponse

edit

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.ClusterJvm

edit

MaxUptime property

deleted

Nest.ClusterJvmMemory

edit

HeapMax property

deleted

HeapUsed property

deleted

Nest.ClusterJvmVersion

edit

BundledJdk property

added

UsingBundledJdk property

added

Nest.ClusterNodesStats

edit

DiscoveryTypes property

added

Nest.ClusterPendingTasksDescriptor

edit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.ClusterPendingTasksResponse

edit

Tasks property getter

changed to non-virtual.

Nest.ClusterPutSettingsDescriptor

edit

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.ClusterPutSettingsResponse

edit

Acknowledged property getter

changed to non-virtual.

Persistent property getter

changed to non-virtual.

Transient property getter

changed to non-virtual.

Nest.ClusterRerouteDescriptor

edit

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.ClusterRerouteResponse

edit

Explanations property getter

changed to non-virtual.

State property getter

changed to non-virtual.

Nest.ClusterRerouteState

edit

type

deleted

Nest.ClusterStateDescriptor

edit

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.ClusterStateRequest

edit

ClusterStateRequest(ClusterStateMetric) method

deleted

ClusterStateRequest(ClusterStateMetric, Indices) method

deleted

ClusterStateRequest(Metrics) method

added

ClusterStateRequest(Metrics, Indices) method

added

Nest.ClusterStateResponse

edit

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.ClusterStatsDescriptor

edit

ClusterStatsDescriptor(NodeIds) method

added

FlatSettings(Nullable<Boolean>) method

Parameter name changed from flatSettings to flatsettings.

Nest.ClusterStatsRequest

edit

ClusterStatsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

Nest.ClusterStatsResponse

edit

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.CompletionStats

edit

Size property

deleted

Nest.CompletionSuggester

edit

Nest.CompletionSuggesterDescriptor<T>

edit

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

deleted

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

added

Nest.CompositeAggregation

edit

Nest.CompositeAggregationDescriptor<T>

edit

After(CompositeKey) method

added

After(Object) method

deleted

Nest.CompositeAggregationSourceBase

edit

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.ConstantScoreQuery

edit

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.CorePropertyBase

edit

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.CountRequest

edit

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.CountResponse

edit

Count property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Nest.CreateApiKeyResponse

edit

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.CreateAutoFollowPatternDescriptor

edit

CreateAutoFollowPatternDescriptor() method

added

Nest.CreateAutoFollowPatternRequest

edit

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.CreateFollowIndexDescriptor

edit

CreateFollowIndexDescriptor() method

added

WaitForActiveShards(String) method

Parameter name changed from waitForActiveShards to waitforactiveshards.

Nest.CreateFollowIndexRequest

edit

CreateFollowIndexRequest() method

added

Nest.CreateFollowIndexResponse

edit

FollowIndexCreated property getter

changed to non-virtual.

FollowIndexShardsAcked property getter

changed to non-virtual.

IndexFollowingStarted property getter

changed to non-virtual.

Nest.CreateIndexDescriptor

edit

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.CreateIndexRequest

edit

CreateIndexRequest() method

Member is more visible.

UpdateAllTypes property

deleted

Nest.CreateIndexResponse

edit

Index property

added

ShardsAcknowledged property getter

changed to non-virtual.

Nest.CreateRepositoryDescriptor

edit

CreateRepositoryDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.CreateRepositoryRequest

edit

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.CreateResponse

edit

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.CreateRollupJobRequest

edit

CreateRollupJobRequest() method

added

Nest.CurrentNode

edit

Nest.DataDescriptionDescriptor<T>

edit

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

deleted

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

added

Nest.DatafeedConfig

edit

Types property

deleted

Nest.DateHistogramAggregationDescriptor<T>

edit

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

deleted

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

added

Nest.DateHistogramCompositeAggregationSource

edit

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.DateProcessor

edit

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.DeactivateWatchDescriptor

edit

DeactivateWatchDescriptor() method

added

DeactivateWatchDescriptor(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout(Time) method

deleted

Nest.DeactivateWatchRequest

edit

DeactivateWatchRequest() method

added

DeactivateWatchRequest(Id) method

Parameter name changed from watch_id to watchId.

MasterTimeout property

deleted

Nest.DeactivateWatchResponse

edit

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.DeleteAliasDescriptor

edit

DeleteAliasDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteAliasRequest

edit

DeleteAliasRequest() method

added

Nest.DeleteAutoFollowPatternDescriptor

edit

DeleteAutoFollowPatternDescriptor() method

added

Nest.DeleteAutoFollowPatternRequest

edit

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.DeleteByQueryRequest

edit

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.DeleteByQueryResponse

edit

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.DeleteByQueryRethrottleDescriptor

edit

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.DeleteByQueryRethrottleRequest

edit

DeleteByQueryRethrottleRequest() method

added

DeleteByQueryRethrottleRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.DeleteCalendarDescriptor

edit

DeleteCalendarDescriptor() method

added

DeleteCalendarDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarEventDescriptor

edit

DeleteCalendarEventDescriptor() method

added

DeleteCalendarEventDescriptor(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarEventRequest

edit

DeleteCalendarEventRequest() method

added

DeleteCalendarEventRequest(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarJobDescriptor

edit

DeleteCalendarJobDescriptor() method

added

DeleteCalendarJobDescriptor(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarJobRequest

edit

DeleteCalendarJobRequest() method

added

DeleteCalendarJobRequest(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteCalendarJobResponse

edit

CalendarId property getter

changed to non-virtual.

Description property getter

changed to non-virtual.

JobIds property getter

changed to non-virtual.

Nest.DeleteCalendarRequest

edit

DeleteCalendarRequest() method

added

DeleteCalendarRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.DeleteDatafeedDescriptor

edit

DeleteDatafeedDescriptor() method

added

DeleteDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.DeleteDatafeedRequest

edit

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.DeleteExpiredDataResponse

edit

Deleted property getter

changed to non-virtual.

Nest.DeleteFilterDescriptor

edit

DeleteFilterDescriptor() method

added

DeleteFilterDescriptor(Id) method

Parameter name changed from filter_id to filterId.

Nest.DeleteFilterRequest

edit

DeleteFilterRequest() method

added

DeleteFilterRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.DeleteForecastDescriptor

edit

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.DeleteForecastRequest

edit

DeleteForecastRequest() method

added

DeleteForecastRequest(Id, ForecastIds) method

deleted

DeleteForecastRequest(Id, Ids) method

added

Nest.DeleteIndexDescriptor

edit

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.DeleteIndexRequest

edit

DeleteIndexRequest() method

added

Nest.DeleteIndexTemplateDescriptor

edit

DeleteIndexTemplateDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteIndexTemplateRequest

edit

DeleteIndexTemplateRequest() method

added

Nest.DeleteJobDescriptor

edit

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.DeleteJobRequest

edit

DeleteJobRequest() method

added

DeleteJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.DeleteLifecycleDescriptor

edit

DeleteLifecycleDescriptor() method

added

DeleteLifecycleDescriptor(Id) method

added

DeleteLifecycleDescriptor(PolicyId) method

deleted

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.DeleteLifecycleRequest

edit

DeleteLifecycleRequest() method

added

DeleteLifecycleRequest(Id) method

added

DeleteLifecycleRequest(PolicyId) method

deleted

MasterTimeout property

deleted

Timeout property

deleted

Nest.DeleteManyExtensions

edit

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.DeleteModelSnapshotDescriptor

edit

DeleteModelSnapshotDescriptor() method

added

DeleteModelSnapshotDescriptor(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.DeleteModelSnapshotRequest

edit

DeleteModelSnapshotRequest() method

added

DeleteModelSnapshotRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.DeletePipelineDescriptor

edit

DeletePipelineDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeletePipelineRequest

edit

DeletePipelineRequest() method

added

Nest.DeletePrivilegesDescriptor

edit

DeletePrivilegesDescriptor() method

added

Nest.DeletePrivilegesRequest

edit

DeletePrivilegesRequest() method

added

Nest.DeletePrivilegesResponse

edit

Applications property getter

changed to non-virtual.

Nest.DeleteRepositoryDescriptor

edit

DeleteRepositoryDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteRepositoryRequest

edit

DeleteRepositoryRequest() method

added

Nest.DeleteRequest

edit

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.DeleteResponse

edit

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.DeleteRoleDescriptor

edit

DeleteRoleDescriptor() method

added

Nest.DeleteRoleMappingDescriptor

edit

DeleteRoleMappingDescriptor() method

added

Nest.DeleteRoleMappingRequest

edit

DeleteRoleMappingRequest() method

added

Nest.DeleteRoleMappingResponse

edit

Found property getter

changed to non-virtual.

Nest.DeleteRoleRequest

edit

DeleteRoleRequest() method

added

Nest.DeleteRoleResponse

edit

Found property getter

changed to non-virtual.

Nest.DeleteRollupJobDescriptor

edit

DeleteRollupJobDescriptor() method

added

Nest.DeleteRollupJobRequest

edit

DeleteRollupJobRequest() method

added

Nest.DeleteRollupJobResponse

edit

IsValid property

deleted

Nest.DeleteScriptDescriptor

edit

DeleteScriptDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteScriptRequest

edit

DeleteScriptRequest() method

added

Nest.DeleteSnapshotDescriptor

edit

DeleteSnapshotDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.DeleteSnapshotRequest

edit

DeleteSnapshotRequest() method

added

Nest.DeleteUserDescriptor

edit

DeleteUserDescriptor() method

added

Nest.DeleteUserRequest

edit

DeleteUserRequest() method

added

Nest.DeleteUserResponse

edit

Found property getter

changed to non-virtual.

Nest.DeleteWatchDescriptor

edit

DeleteWatchDescriptor() method

added

MasterTimeout(Time) method

deleted

Nest.DeleteWatchRequest

edit

DeleteWatchRequest() method

added

MasterTimeout property

deleted

Nest.DeleteWatchResponse

edit

Found property getter

changed to non-virtual.

Id property getter

changed to non-virtual.

Version property getter

changed to non-virtual.

Nest.DeprecationInfoDescriptor

edit

DeprecationInfoDescriptor(IndexName) method

added

Nest.DeprecationInfoResponse

edit

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.DirectGenerator

edit

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.DisableUserDescriptor

edit

DisableUserDescriptor() method

Member is less visible.

Username(Name) method

deleted

Nest.DisableUserRequest

edit

DisableUserRequest() method

added

Nest.DissectProcessorDescriptor<T>

edit

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

deleted

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

added

Nest.Distance

edit

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.DocumentExistsRequest

edit

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.DslPrettyPrintVisitor

edit

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.DynamicResponseBase

edit

type

added

Nest.ElasticClient

edit

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.ElasticsearchPropertyAttributeBase

edit

AllowPrivate property

added

Order property

added

Nest.ElasticsearchTypeAttribute

edit

RelationName property

added

Nest.ElasticsearchVersionInfo

edit

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.EnableUserDescriptor

edit

EnableUserDescriptor() method

Member is less visible.

Username(Name) method

deleted

Nest.EnableUserRequest

edit

EnableUserRequest() method

added

Nest.EnvelopeGeoShape

edit

EnvelopeGeoShape() method

Member is less visible.

Nest.ExecuteWatchDescriptor

edit

ExecuteWatchDescriptor(Id) method

added

Watch(Func<PutWatchDescriptor, IPutWatchRequest>) method

deleted

Watch(Func<WatchDescriptor, IWatch>) method

added

Nest.ExecuteWatchRequest

edit

Nest.ExecuteWatchResponse

edit

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.ExecutionResultAction

edit

HipChat property

deleted

Nest.ExistsQueryDescriptor<T>

edit

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

deleted

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

added

Nest.ExistsResponse

edit

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.ExplainLifecycleDescriptor

edit

ExplainLifecycleDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.ExplainLifecycleRequest

edit

ExplainLifecycleRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.ExplainLifecycleResponse

edit

Indices property getter

changed to non-virtual.

Nest.ExplainRequest

edit

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.ExpressionExtensions

edit

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

added

Nest.ExtendedStatsAggregate

edit

Average property

deleted

Count property

deleted

Max property

deleted

Min property

deleted

Sum property

deleted

Nest.Field

edit

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.FieldCapabilitiesDescriptor

edit

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.FieldCapabilitiesResponse

edit

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.FielddataStats

edit

MemorySize property

deleted

Nest.FieldIndexOption

edit

type

deleted

Nest.FieldLookup

edit

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.FieldMappingProperties

edit

type

deleted

Nest.FieldNameQueryDescriptorBase<TDescriptor, TInterface, T>

edit

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

deleted

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

added

Nest.Fields

edit

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.FieldSort

edit

type

added

Nest.FieldSortDescriptor<T>

edit

type

added

Nest.FieldTypes

edit

ParentJoin property

added

Nest.FieldValueFactorFunctionDescriptor<T>

edit

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

deleted

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

added

Nest.FiltersAggregation

edit

Nest.FlushDescriptor

edit

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.FlushJobDescriptor

edit

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.FlushJobRequest

edit

FlushJobRequest() method

added

FlushJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.FlushJobResponse

edit

Flushed property getter

changed to non-virtual.

Nest.FollowIndexStatsDescriptor

edit

FollowIndexStatsDescriptor() method

Member is less visible.

FollowIndexStatsDescriptor(Indices) method

added

Nest.FollowIndexStatsRequest

edit

FollowIndexStatsRequest() method

added

Nest.FollowIndexStatsResponse

edit

Indices property getter

changed to non-virtual.

Nest.ForceMergeDescriptor

edit

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.ForceMergeRequest

edit

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.ForecastIds

edit

type

deleted

Nest.ForecastJobDescriptor

edit

ForecastJobDescriptor() method

added

ForecastJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.ForecastJobRequest

edit

ForecastJobRequest() method

added

ForecastJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.ForecastJobResponse

edit

ForecastId property getter

changed to non-virtual.

Nest.FuzzySuggestDescriptor<T>

edit

type

deleted

Nest.FuzzySuggester

edit

type

deleted

Nest.GenericProperty

edit

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.GeoDistanceSort

edit

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.GeoIndexedShapeQuery

edit

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.GeometryCollection

edit

GeometryCollection() method

Member is less visible.

GeometryCollection(IEnumerable<IGeoShape>) method

added

IgnoreUnmapped property

deleted

Type property

deleted

Nest.GeoShapeAttribute

edit

DistanceErrorPercentage property

deleted

PointsOnly property

deleted

Tree property

deleted

TreeLevels property

deleted

Nest.GeoShapeBase

edit

IgnoreUnmapped property

deleted

Nest.GeoShapeCircleQuery

edit

type

deleted

Nest.GeoShapeCircleQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeDescriptor

edit

type

added

Nest.GeoShapeEnvelopeQuery

edit

type

deleted

Nest.GeoShapeEnvelopeQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeGeometryCollectionQuery

edit

type

deleted

Nest.GeoShapeGeometryCollectionQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeLineStringQuery

edit

type

deleted

Nest.GeoShapeLineStringQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeMultiLineStringQuery

edit

type

deleted

Nest.GeoShapeMultiLineStringQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeMultiPointQuery

edit

type

deleted

Nest.GeoShapeMultiPointQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeMultiPolygonQuery

edit

type

deleted

Nest.GeoShapeMultiPolygonQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapePointQuery

edit

type

deleted

Nest.GeoShapePointQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapePolygonQuery

edit

type

deleted

Nest.GeoShapePolygonQueryDescriptor<T>

edit

type

deleted

Nest.GeoShapeProperty

edit

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.GeoShapeQuery

edit

type

added

Nest.GeoShapeQueryBase

edit

type

deleted

Nest.GeoShapeQueryDescriptor<T>

edit

type

added

Nest.GeoShapeQueryDescriptorBase<TDescriptor, TInterface, T>

edit

type

deleted

Nest.GeoWKTWriter

edit

Write(IGeometryCollection) method

deleted

Nest.GetAliasDescriptor

edit

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.GetAliasResponse

edit

Indices property getter

changed to non-virtual.

Nest.GetAnomalyRecordsDescriptor

edit

GetAnomalyRecordsDescriptor() method

Member is less visible.

GetAnomalyRecordsDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.GetAnomalyRecordsRequest

edit

GetAnomalyRecordsRequest() method

added

GetAnomalyRecordsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetAnomalyRecordsResponse

edit

Count property getter

changed to non-virtual.

Records property getter

changed to non-virtual.

Nest.GetApiKeyDescriptor

edit

RealmName(String) method

Parameter name changed from realmName to realmname.

Nest.GetApiKeyResponse

edit

ApiKeys property getter

changed to non-virtual.

Nest.GetAutoFollowPatternDescriptor

edit

GetAutoFollowPatternDescriptor(Name) method

added

Nest.GetAutoFollowPatternResponse

edit

Patterns property getter

changed to non-virtual.

Nest.GetBasicLicenseStatusResponse

edit

EligableToStartBasic property getter

changed to non-virtual.

Nest.GetBucketsDescriptor

edit

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.GetBucketsRequest

edit

GetBucketsRequest() method

added

GetBucketsRequest(Id) method

Parameter name changed from job_id to jobId.

GetBucketsRequest(Id, Timestamp) method

added

Timestamp property

deleted

Nest.GetBucketsResponse

edit

Buckets property getter

changed to non-virtual.

Count property getter

changed to non-virtual.

Nest.GetCalendarEventsDescriptor

edit

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.GetCalendarEventsRequest

edit

GetCalendarEventsRequest() method

added

GetCalendarEventsRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.GetCalendarEventsResponse

edit

Count property getter

changed to non-virtual.

Events property getter

changed to non-virtual.

Nest.GetCalendarsDescriptor

edit

GetCalendarsDescriptor(Id) method

added

Nest.GetCalendarsRequest

edit

GetCalendarsRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.GetCalendarsResponse

edit

Calendars property getter

changed to non-virtual.

Count property getter

changed to non-virtual.

Nest.GetCategoriesDescriptor

edit

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.GetCategoriesRequest

edit

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.GetCategoriesResponse

edit

Categories property getter

changed to non-virtual.

Count property getter

changed to non-virtual.

Nest.GetCertificatesDescriptor

edit

RequestDefaults(GetCertificatesRequestParameters) method

added

Nest.GetCertificatesRequest

edit

RequestDefaults(GetCertificatesRequestParameters) method

added

Nest.GetCertificatesResponse

edit

Certificates property getter

changed to non-virtual.

Nest.GetDatafeedsDescriptor

edit

GetDatafeedsDescriptor(Id) method

added

AllowNoDatafeeds(Nullable<Boolean>) method

Parameter name changed from allowNoDatafeeds to allownodatafeeds.

Nest.GetDatafeedsRequest

edit

GetDatafeedsRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.GetDatafeedsResponse

edit

Count property getter

changed to non-virtual.

Datafeeds property getter

changed to non-virtual.

Nest.GetDatafeedStatsDescriptor

edit

GetDatafeedStatsDescriptor(Id) method

added

AllowNoDatafeeds(Nullable<Boolean>) method

Parameter name changed from allowNoDatafeeds to allownodatafeeds.

Nest.GetDatafeedStatsRequest

edit

GetDatafeedStatsRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.GetDatafeedStatsResponse

edit

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.GetFieldMappingRequest

edit

GetFieldMappingRequest() method

added

GetFieldMappingRequest(Indices, Types, Fields) method

deleted

GetFieldMappingRequest(Types, Fields) method

deleted

Nest.GetFieldMappingResponse

edit

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.GetFiltersDescriptor

edit

GetFiltersDescriptor(Id) method

added

Nest.GetFiltersRequest

edit

GetFiltersRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.GetFiltersResponse

edit

Count property getter

changed to non-virtual.

Filters property getter

changed to non-virtual.

Nest.GetIlmStatusDescriptor

edit

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.GetIlmStatusRequest

edit

MasterTimeout property

deleted

Timeout property

deleted

Nest.GetIlmStatusResponse

edit

OperationMode property getter

changed to non-virtual.

Nest.GetIndexDescriptor

edit

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.GetIndexRequest

edit

GetIndexRequest() method

added

Nest.GetIndexResponse

edit

Indices property getter

changed to non-virtual.

Nest.GetIndexSettingsDescriptor

edit

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.GetIndexSettingsResponse

edit

Indices property getter

changed to non-virtual.

Nest.GetIndexTemplateDescriptor

edit

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.GetIndexTemplateResponse

edit

TemplateMappings property getter

changed to non-virtual.

Nest.GetInfluencersDescriptor

edit

GetInfluencersDescriptor() method

Member is less visible.

GetInfluencersDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.GetInfluencersRequest

edit

GetInfluencersRequest() method

added

GetInfluencersRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetInfluencersResponse

edit

Count property getter

changed to non-virtual.

Influencers property getter

changed to non-virtual.

Nest.GetJobsDescriptor

edit

GetJobsDescriptor(Id) method

added

AllowNoJobs(Nullable<Boolean>) method

Parameter name changed from allowNoJobs to allownojobs.

Nest.GetJobsRequest

edit

GetJobsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetJobsResponse

edit

Count property getter

changed to non-virtual.

Jobs property getter

changed to non-virtual.

Nest.GetJobStatsDescriptor

edit

GetJobStatsDescriptor(Id) method

added

AllowNoJobs(Nullable<Boolean>) method

Parameter name changed from allowNoJobs to allownojobs.

Nest.GetJobStatsRequest

edit

GetJobStatsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetJobStatsResponse

edit

Count property getter

changed to non-virtual.

Jobs property getter

changed to non-virtual.

Nest.GetLicenseResponse

edit

License property getter

changed to non-virtual.

Nest.GetLifecycleDescriptor

edit

GetLifecycleDescriptor(Id) method

added

MasterTimeout(Time) method

deleted

PolicyId(Id) method

added

PolicyId(PolicyId) method

deleted

Timeout(Time) method

deleted

Nest.GetLifecycleRequest

edit

GetLifecycleRequest(Id) method

added

GetLifecycleRequest(PolicyId) method

deleted

MasterTimeout property

deleted

Timeout property

deleted

Nest.GetLifecycleResponse

edit

Policies property getter

changed to non-virtual.

Nest.GetManyExtensions

edit

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.GetMappingRequest

edit

GetMappingRequest(Indices, Types) method

deleted

GetMappingRequest(Types) method

deleted

Nest.GetMappingResponse

edit

Accept(IMappingVisitor) method

Method changed to non-virtual.

Indices property getter

changed to non-virtual.

Mapping property

deleted

Mappings property

deleted

Nest.GetMappingResponseExtensions

edit

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.GetModelSnapshotsDescriptor

edit

GetModelSnapshotsDescriptor() method

added

GetModelSnapshotsDescriptor(Id) method

Parameter name changed from job_id to jobId.

GetModelSnapshotsDescriptor(Id, Id) method

added

Nest.GetModelSnapshotsRequest

edit

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.GetModelSnapshotsResponse

edit

Count property getter

changed to non-virtual.

ModelSnapshots property getter

changed to non-virtual.

Nest.GetOverallBucketsDescriptor

edit

GetOverallBucketsDescriptor() method

added

GetOverallBucketsDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.GetOverallBucketsRequest

edit

GetOverallBucketsRequest() method

added

GetOverallBucketsRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.GetOverallBucketsResponse

edit

Count property getter

changed to non-virtual.

OverallBuckets property getter

changed to non-virtual.

Nest.GetPipelineDescriptor

edit

GetPipelineDescriptor(Id) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetPipelineResponse

edit

Pipelines property getter

changed to non-virtual.

Nest.GetPrivilegesDescriptor

edit

GetPrivilegesDescriptor(Name) method

added

GetPrivilegesDescriptor(Name, Name) method

added

Nest.GetPrivilegesResponse

edit

Applications property getter

changed to non-virtual.

Nest.GetRepositoryDescriptor

edit

GetRepositoryDescriptor(Names) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetRepositoryResponse

edit

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.GetRequest

edit

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.GetRoleDescriptor

edit

GetRoleDescriptor(Name) method

added

Nest.GetRoleMappingDescriptor

edit

GetRoleMappingDescriptor(Name) method

added

Nest.GetRoleMappingResponse

edit

RoleMappings property getter

changed to non-virtual.

Nest.GetRoleResponse

edit

Roles property getter

changed to non-virtual.

Nest.GetRollupCapabilitiesDescriptor

edit

GetRollupCapabilitiesDescriptor(Id) method

added

AllIndices() method

deleted

Id(Id) method

added

Index<TOther>() method

deleted

Index(Indices) method

deleted

Nest.GetRollupCapabilitiesRequest

edit

GetRollupCapabilitiesRequest(Id) method

added

GetRollupCapabilitiesRequest(Indices) method

deleted

Nest.GetRollupCapabilitiesResponse

edit

Indices property getter

changed to non-virtual.

Nest.GetRollupIndexCapabilitiesDescriptor

edit

GetRollupIndexCapabilitiesDescriptor() method

added

Nest.GetRollupIndexCapabilitiesRequest

edit

GetRollupIndexCapabilitiesRequest() method

added

Nest.GetRollupIndexCapabilitiesResponse

edit

Indices property getter

changed to non-virtual.

Nest.GetRollupJobDescriptor

edit

GetRollupJobDescriptor(Id) method

added

Nest.GetRollupJobResponse

edit

Jobs property getter

changed to non-virtual.

Nest.GetScriptDescriptor

edit

GetScriptDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.GetScriptRequest

edit

GetScriptRequest() method

added

Nest.GetScriptResponse

edit

Script property getter

changed to non-virtual.

Nest.GetSnapshotDescriptor

edit

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.GetSnapshotRequest

edit

GetSnapshotRequest() method

added

Nest.GetSnapshotResponse

edit

Snapshots property getter

changed to non-virtual.

Nest.GetTaskDescriptor

edit

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.GetTaskRequest

edit

GetTaskRequest() method

added

GetTaskRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.GetTaskResponse

edit

Completed property getter

changed to non-virtual.

Task property getter

changed to non-virtual.

Nest.GetTrialLicenseStatusResponse

edit

EligibleToStartTrial property getter

changed to non-virtual.

Nest.GetUserAccessTokenResponse

edit

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.GetUserDescriptor

edit

GetUserDescriptor(Names) method

added

Nest.GetUserPrivilegesResponse

edit

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.GetUserResponse

edit

Users property getter

changed to non-virtual.

Nest.GetWatchDescriptor

edit

GetWatchDescriptor() method

added

Nest.GetWatchRequest

edit

GetWatchRequest() method

added

Nest.GetWatchResponse

edit

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.GraphExploreRequest

edit

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.GraphExploreResponse

edit

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.GrokProcessorPatternsResponse

edit

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.HasChildQuery

edit

Nest.HasParentQuery

edit

Nest.HasPrivilegesDescriptor

edit

HasPrivilegesDescriptor(Name) method

added

Nest.HasPrivilegesResponse

edit

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.HighlightFieldDictionary

edit

type

deleted

Nest.HighlightHit

edit

type

deleted

Nest.HipChatAction

edit

type

deleted

Nest.HipChatActionDescriptor

edit

type

deleted

Nest.HipChatActionMessageResult

edit

type

deleted

Nest.HipChatActionResult

edit

type

deleted

Nest.HipChatMessage

edit

type

deleted

Nest.HipChatMessageColor

edit

type

deleted

Nest.HipChatMessageDescriptor

edit

type

deleted

Nest.HipChatMessageFormat

edit

type

deleted

Nest.HistogramAggregationDescriptor<T>

edit

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

deleted

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

added

Nest.HistogramOrder

edit

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.IAcknowledgedResponse

edit

type

deleted

Nest.IAcknowledgeWatchRequest

edit

Nest.IAcknowledgeWatchResponse

edit

type

deleted

Nest.IActivateWatchResponse

edit

type

deleted

Nest.IAnalyzeResponse

edit

type

deleted

Nest.IAuthenticateResponse

edit

type

deleted

Nest.IBoolQuery

edit

ShouldSerializeFilter() method

added

ShouldSerializeMust() method

added

ShouldSerializeMustNot() method

added

ShouldSerializeShould() method

added

Nest.IBulkAliasResponse

edit

type

deleted

Nest.IBulkAllRequest<T>

edit

Refresh property

deleted

Type property

deleted

Nest.IBulkAllResponse

edit

type

deleted

Nest.IBulkDeleteOperation<T>

edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.IBulkIndexOperation<T>

edit

IfPrimaryTerm property

added

IfSequenceNumber property

added

Nest.IBulkOperation

edit

Parent property

deleted

Type property

deleted

Nest.IBulkRequest

edit

Type property

deleted

Nest.IBulkResponse

edit

type

deleted

Nest.IBulkResponseItem

edit

type

deleted

Nest.ICancelTasksResponse

edit

type

deleted

Nest.ICatResponse<out TCatRecord>

edit

type

deleted

Nest.ICcrStatsResponse

edit

type

deleted

Nest.IChangePasswordResponse

edit

type

deleted

Nest.IClassicSimilarity

edit

type

deleted

Nest.IClearCachedRealmsResponse

edit

type

deleted

Nest.IClearCachedRolesResponse

edit

type

deleted

Nest.IClearCacheResponse

edit

type

deleted

Nest.IClearScrollResponse

edit

type

deleted

Nest.IClearSqlCursorResponse

edit

type

deleted

Nest.ICloseIndexResponse

edit

type

deleted

Nest.ICloseJobResponse

edit

type

deleted

Nest.IClrTypeMapping

edit

TypeName property

deleted

Nest.IClusterAllocationExplainResponse

edit

type

deleted

Nest.IClusterGetSettingsResponse

edit

type

deleted

Nest.IClusterHealthResponse

edit

type

deleted

Nest.IClusterPendingTasksResponse

edit

type

deleted

Nest.IClusterPutSettingsResponse

edit

type

deleted

Nest.IClusterRerouteResponse

edit

type

deleted

Nest.IClusterStateResponse

edit

type

deleted

Nest.IClusterStatsResponse

edit

type

deleted

Nest.ICompletionSuggester

edit

Nest.ICompositeAggregation

edit

Nest.ICompositeAggregationSource

edit

Missing property

deleted

Nest.IConnectionSettingsValues

edit

DefaultTypeName property

deleted

DefaultTypeNameInferrer property

deleted

DefaultTypeNames property

deleted

Nest.ICoreProperty

edit

Nest.ICountRequest

edit

Type property

deleted

Nest.ICountResponse

edit

type

deleted

Nest.ICovariantSearchRequest

edit

type

deleted

Nest.ICreateApiKeyResponse

edit

type

deleted

Nest.ICreateAutoFollowPatternResponse

edit

type

deleted

Nest.ICreateFollowIndexResponse

edit

type

deleted

Nest.ICreateIndexResponse

edit

type

deleted

Nest.ICreateRepositoryResponse

edit

type

deleted

Nest.ICreateRequest<TDocument>

edit

Type property

deleted

Nest.ICreateResponse

edit

type

deleted

Nest.ICreateRollupJobResponse

edit

type

deleted

Nest.IDateHistogramCompositeAggregationSource

edit

Timezone property

deleted

TimeZone property

added

Nest.IDateProcessor

edit

Timezone property

deleted

TimeZone property

added

Nest.IDeactivateWatchResponse

edit

type

deleted

Nest.IDeleteAliasResponse

edit

type

deleted

Nest.IDeleteAutoFollowPatternResponse

edit

type

deleted

Nest.IDeleteByQueryRequest

edit

Type property

deleted

Nest.IDeleteByQueryResponse

edit

type

deleted

Nest.IDeleteCalendarEventResponse

edit

type

deleted

Nest.IDeleteCalendarJobResponse

edit

type

deleted

Nest.IDeleteCalendarResponse

edit

type

deleted

Nest.IDeleteDatafeedResponse

edit

type

deleted

Nest.IDeleteExpiredDataResponse

edit

type

deleted

Nest.IDeleteFilterResponse

edit

type

deleted

Nest.IDeleteForecastRequest

edit

Nest.IDeleteForecastResponse

edit

type

deleted

Nest.IDeleteIndexResponse

edit

type

deleted

Nest.IDeleteIndexTemplateResponse

edit

type

deleted

Nest.IDeleteJobResponse

edit

type

deleted

Nest.IDeleteLicenseResponse

edit

type

deleted

Nest.IDeleteLifecycleRequest

edit

Nest.IDeleteLifecycleResponse

edit

type

deleted

Nest.IDeleteModelSnapshotResponse

edit

type

deleted

Nest.IDeletePipelineResponse

edit

type

deleted

Nest.IDeletePrivilegesResponse

edit

type

deleted

Nest.IDeleteRepositoryResponse

edit

type

deleted

Nest.IDeleteRequest

edit

Type property

deleted

Nest.IDeleteResponse

edit

type

deleted

Nest.IDeleteRoleMappingResponse

edit

type

deleted

Nest.IDeleteRoleResponse

edit

type

deleted

Nest.IDeleteRollupJobResponse

edit

type

deleted

Nest.IDeleteScriptResponse

edit

type

deleted

Nest.IDeleteSnapshotResponse

edit

type

deleted

Nest.IDeleteUserResponse

edit

type

deleted

Nest.IDeleteWatchResponse

edit

type

deleted

Nest.IDeprecationInfoResponse

edit

type

deleted

Nest.IDirectGenerator

edit

Nest.IDisableUserResponse

edit

type

deleted

Nest.IDocumentExistsRequest

edit

Type property

deleted

Nest.IDocumentPath

edit

Type property

deleted

Nest.IDocumentRequest

edit

type

added

Nest.Ids

edit

type

added

Nest.IdsQuery

edit

Types property

deleted

Nest.IdsQueryDescriptor

edit

Types(TypeName[]) method

deleted

Types(Types) method

deleted

Types(IEnumerable<TypeName>) method

deleted

Nest.IDynamicResponse

edit

type

added

Nest.IElasticClient

edit

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.IEnableUserResponse

edit

type

deleted

Nest.IExecuteWatchRequest

edit

Nest.IExecuteWatchResponse

edit

type

deleted

Nest.IExistsResponse

edit

type

deleted

Nest.IExplainLifecycleResponse

edit

type

deleted

Nest.IExplainRequest

edit

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.IFieldCapabilitiesResponse

edit

type

deleted

Nest.IFieldLookup

edit

Type property

deleted

Nest.IFiltersAggregation

edit

Nest.IFlushJobResponse

edit

type

deleted

Nest.IFlushResponse

edit

type

deleted

Nest.IFollowIndexStatsResponse

edit

type

deleted

Nest.IForceMergeResponse

edit

type

deleted

Nest.IForecastJobResponse

edit

type

deleted

Nest.IFuzzySuggester

edit

type

deleted

Nest.IGenericProperty

edit

Indexed property

deleted

Nest.IGeoDistanceSort

edit

GeoUnit property

deleted

Unit property

added

Nest.IGeoIndexedShapeQuery

edit

type

deleted

Nest.IGeometryCollection

edit

Type property

deleted

Nest.IGeoShape

edit

IgnoreUnmapped property

deleted

Nest.IGeoShapeCircleQuery

edit

type

deleted

Nest.IGeoShapeEnvelopeQuery

edit

type

deleted

Nest.IGeoShapeGeometryCollectionQuery

edit

type

deleted

Nest.IGeoShapeLineStringQuery

edit

type

deleted

Nest.IGeoShapeMultiLineStringQuery

edit

type

deleted

Nest.IGeoShapeMultiPointQuery

edit

type

deleted

Nest.IGeoShapeMultiPolygonQuery

edit

type

deleted

Nest.IGeoShapePointQuery

edit

type

deleted

Nest.IGeoShapePolygonQuery

edit

type

deleted

Nest.IGeoShapeProperty

edit

DistanceErrorPercentage property

deleted

PointsOnly property

deleted

Precision property

deleted

Tree property

deleted

TreeLevels property

deleted

Nest.IGeoShapeQuery

edit

IndexedShape property

added

Shape property

added

Nest.IGetAliasResponse

edit

type

deleted

Nest.IGetAnomalyRecordsResponse

edit

type

deleted

Nest.IGetApiKeyResponse

edit

type

deleted

Nest.IGetAutoFollowPatternResponse

edit

type

deleted

Nest.IGetBasicLicenseStatusResponse

edit

type

deleted

Nest.IGetBucketsRequest

edit

Timestamp property setter

Nest.IGetBucketsResponse

edit

type

deleted

Nest.IGetCalendarEventsResponse

edit

type

deleted

Nest.IGetCalendarsResponse

edit

type

deleted

Nest.IGetCategoriesRequest

edit

Nest.IGetCategoriesResponse

edit

type

deleted

Nest.IGetCertificatesResponse

edit

type

deleted

Nest.IGetDatafeedsResponse

edit

type

deleted

Nest.IGetDatafeedStatsResponse

edit

type

deleted

Nest.IGetFieldMappingRequest

edit

Type property

deleted

Nest.IGetFieldMappingResponse

edit

type

deleted

Nest.IGetFiltersResponse

edit

type

deleted

Nest.IGetIlmStatusResponse

edit

type

deleted

Nest.IGetIndexResponse

edit

type

deleted

Nest.IGetIndexSettingsResponse

edit

type

deleted

Nest.IGetIndexTemplateResponse

edit

type

deleted

Nest.IGetInfluencersResponse

edit

type

deleted

Nest.IGetJobsResponse

edit

type

deleted

Nest.IGetJobStatsResponse

edit

type

deleted

Nest.IGetLicenseResponse

edit

type

deleted

Nest.IGetLifecycleRequest

edit

Nest.IGetLifecycleResponse

edit

type

deleted

Nest.IGetMappingRequest

edit

Type property

deleted

Nest.IGetMappingResponse

edit

type

deleted

Nest.IGetModelSnapshotsResponse

edit

type

deleted

Nest.IGetOverallBucketsResponse

edit

type

deleted

Nest.IGetPipelineResponse

edit

type

deleted

Nest.IGetPrivilegesResponse

edit

type

deleted

Nest.IGetRepositoryResponse

edit

type

deleted

Nest.IGetRequest

edit

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.IGetRoleMappingResponse

edit

type

deleted

Nest.IGetRoleResponse

edit

type

deleted

Nest.IGetRollupCapabilitiesRequest

edit

Id property

added

Index property

deleted

Nest.IGetRollupCapabilitiesResponse

edit

type

deleted

Nest.IGetRollupIndexCapabilitiesResponse

edit

type

deleted

Nest.IGetRollupJobResponse

edit

type

deleted

Nest.IGetScriptResponse

edit

type

deleted

Nest.IGetSnapshotResponse

edit

type

deleted

Nest.IGetTaskResponse

edit

type

deleted

Nest.IGetTrialLicenseStatusResponse

edit

type

deleted

Nest.IGetUserAccessTokenResponse

edit

type

deleted

Nest.IGetUserPrivilegesResponse

edit

type

deleted

Nest.IGetUserResponse

edit

type

deleted

Nest.IGetWatchResponse

edit

type

deleted

Nest.IGraphExploreRequest

edit

Type property

deleted

Nest.IGraphExploreResponse

edit

type

deleted

Nest.IGrokProcessorPatternsResponse

edit

type

deleted

Nest.IHasChildQuery

edit

Nest.IHasParentQuery

edit

Nest.IHasPrivilegesResponse

edit

type

deleted

Nest.IHighLevelToLowLevelDispatcher

edit

type

deleted

Nest.IHipChatAction

edit

type

deleted

Nest.IHipChatMessage

edit

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.IIdsQuery

edit

Types property

deleted

Nest.IIndexAction

edit

DocType property

deleted

Nest.IIndexRequest<TDocument>

edit

Type property

deleted

Nest.IIndexResponse

edit

type

deleted

Nest.IIndexState

edit

Nest.IIndicesResponse

edit

type

deleted

Nest.IIndicesShardStoresRequest

edit

Types property

deleted

Nest.IIndicesShardStoresResponse

edit

type

deleted

Nest.IIndicesStatsRequest

edit

Types property

deleted

Nest.IIndicesStatsResponse

edit

type

deleted

Nest.IInlineGet<out TDocument>

edit

type

added

Nest.IInlineScript

edit

Inline property

deleted

Nest.IInlineScriptCondition

edit

Inline property

deleted

Nest.IInlineScriptTransform

edit

Inline property

deleted

Nest.IIntervals

edit

type

added

Nest.IIntervalsAllOf

edit

type

added

Nest.IIntervalsAnyOf

edit

type

added

Nest.IIntervalsContainer

edit

type

added

Nest.IIntervalsFilter

edit

type

added

Nest.IIntervalsMatch

edit

type

added

Nest.IIntervalsQuery

edit

type

added

Nest.IInvalidateApiKeyResponse

edit

type

deleted

Nest.IInvalidateUserAccessTokenResponse

edit

type

deleted

Nest.IIpRange

edit

type

deleted

Nest.IIpRangeAggregation

edit

Nest.IIpRangeAggregationRange

edit

type

added

Nest.ILazyDocument

edit

AsAsync<T>(CancellationToken) method

added

AsAsync(Type, CancellationToken) method

added

Nest.ILikeDocument

edit

Type property

deleted

Nest.IListTasksResponse

edit

type

deleted

Nest.IMachineLearningInfoResponse

edit

type

deleted

Nest.IMappings

edit

type

deleted

Nest.IMigrationAssistanceRequest

edit

type

deleted

Nest.IMigrationAssistanceResponse

edit

type

deleted

Nest.IMigrationUpgradeRequest

edit

type

deleted

Nest.IMigrationUpgradeResponse

edit

type

deleted

Nest.IMoveToStepResponse

edit

type

deleted

Nest.IMultiGetHit<out TDocument>

edit

Parent property

deleted

Nest.IMultiGetOperation

edit

Type property

deleted

Nest.IMultiGetRequest

edit

Type property

deleted

Nest.IMultiGetResponse

edit

type

deleted

Nest.IMultiSearchRequest

edit

Type property

deleted

Nest.IMultiSearchResponse

edit

type

deleted

Nest.IMultiSearchTemplateRequest

edit

Type property

deleted

Nest.IMultiTermVectorOperation

edit

Fields property

added

StoredFields property

deleted

Type property

deleted

Nest.IMultiTermVectorsRequest

edit

Type property

deleted

Nest.IMultiTermVectorsResponse

edit

type

deleted

Nest.IncludeExclude

edit

type

added

Nest.IndexAction

edit

DocType property

deleted

Nest.IndexActionDescriptor

edit

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.IndexActionResultIndexResponse

edit

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.IndexExistsDescriptor

edit

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.IndexExistsRequest

edit

IndexExistsRequest() method

added

Nest.IndexManyExtensions

edit

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.IndexMappings

edit

Nest.IndexName

edit

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.IndexResponse

edit

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.IndexRoutingTable

edit

type

deleted

Nest.IndexState

edit

Nest.IndexTemplateExistsDescriptor

edit

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.IndexTemplateExistsRequest

edit

IndexTemplateExistsRequest() method

added

Nest.IndexUpgradeCheck

edit

type

deleted

Nest.Indices

edit

Index(String) method

added

Nest.IndicesResponseBase

edit

Acknowledged property

deleted

ShardsHit property getter

changed to non-virtual.

Nest.IndicesShardStoresDescriptor

edit

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.IndicesShardStoresRequest

edit

OperationThreading property

deleted

Types property

deleted

Nest.IndicesShardStoresResponse

edit

Indices property getter

changed to non-virtual.

Nest.IndicesStatsDescriptor

edit

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.IndicesStatsRequest

edit

IndicesStatsRequest(IndicesStatsMetric) method

deleted

IndicesStatsRequest(Indices, IndicesStatsMetric) method

deleted

IndicesStatsRequest(Indices, Metrics) method

added

IndicesStatsRequest(Metrics) method

added

Types property

deleted

Nest.IndicesStatsResponse

edit

Indices property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Stats property getter

changed to non-virtual.

Nest.Infer

edit

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.Inferrer

edit

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.InlineScript

edit

Inline property

deleted

Nest.InlineScriptCondition

edit

Inline property

deleted

Nest.InlineScriptConditionDescriptor

edit

InlineScriptConditionDescriptor(String) method

Parameter name changed from script to source.

Nest.InlineScriptDescriptor

edit

Inline(String) method

deleted

Nest.InlineScriptTransform

edit

InlineScriptTransform(String) method

Parameter name changed from script to source.

Inline property

deleted

Nest.InnerHitsMetadata

edit

Nest.INodesHotThreadsResponse

edit

type

deleted

Nest.INodesInfoResponse

edit

type

deleted

Nest.INodesResponse

edit

type

deleted

Nest.INodesStatsResponse

edit

type

deleted

Nest.INodesUsageResponse

edit

type

deleted

Nest.InstantGet<TDocument>

edit

type

deleted

Nest.IntervalsAllOf

edit

type

added

Nest.IntervalsAllOfDescriptor

edit

type

added

Nest.IntervalsAnyOf

edit

type

added

Nest.IntervalsAnyOfDescriptor

edit

type

added

Nest.IntervalsBase

edit

type

added

Nest.IntervalsContainer

edit

type

added

Nest.IntervalsDescriptor

edit

type

added

Nest.IntervalsDescriptorBase<TDescriptor, TInterface>

edit

type

added

Nest.IntervalsFilter

edit

type

added

Nest.IntervalsFilterDescriptor

edit

type

added

Nest.IntervalsListDescriptor

edit

type

added

Nest.IntervalsMatch

edit

type

added

Nest.IntervalsMatchDescriptor

edit

type

added

Nest.IntervalsQuery

edit

type

added

Nest.IntervalsQueryDescriptor<T>

edit

type

added

Nest.InvalidateApiKeyResponse

edit

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.InvalidateUserAccessTokenResponse

edit

Created property

deleted

ErrorCount property

added

InvalidatedTokens property

added

PreviouslyInvalidatedTokens property

added

Nest.IOpenIndexResponse

edit

type

deleted

Nest.IOpenJobResponse

edit

type

deleted

Nest.IPauseFollowIndexResponse

edit

type

deleted

Nest.IPercentileRanksAggregation

edit

Keyed property

added

Nest.IPercentilesAggregation

edit

Keyed property

added

Nest.IPercolateQuery

edit

DocumentType property

deleted

Type property

deleted

Nest.IPingResponse

edit

type

deleted

Nest.IPostCalendarEventsResponse

edit

type

deleted

Nest.IPostJobDataResponse

edit

type

deleted

Nest.IPostLicenseResponse

edit

type

deleted

Nest.IpRange

edit

type

deleted

Nest.IpRangeAggregation

edit

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.IpRangeAggregationRange

edit

type

added

Nest.IpRangeAggregationRangeDescriptor

edit

type

added

Nest.IpRangeBucket

edit

type

added

Nest.IpRangeDescriptor

edit

type

deleted

Nest.IPreviewDatafeedResponse<out TDocument>

edit

Nest.IPutAliasResponse

edit

type

deleted

Nest.IPutCalendarJobResponse

edit

type

deleted

Nest.IPutCalendarResponse

edit

type

deleted

Nest.IPutDatafeedRequest

edit

Types property

deleted

Nest.IPutDatafeedResponse

edit

type

deleted

Nest.IPutFilterResponse

edit

type

deleted

Nest.IPutIndexTemplateResponse

edit

type

deleted

Nest.IPutJobResponse

edit

type

deleted

Nest.IPutLifecycleRequest

edit

Nest.IPutLifecycleResponse

edit

type

deleted

Nest.IPutMappingRequest

edit

Type property

deleted

Nest.IPutMappingResponse

edit

type

deleted

Nest.IPutPipelineResponse

edit

type

deleted

Nest.IPutPrivilegesResponse

edit

type

deleted

Nest.IPutRoleMappingResponse

edit

type

deleted

Nest.IPutRoleResponse

edit

type

deleted

Nest.IPutScriptResponse

edit

type

deleted

Nest.IPutUserResponse

edit

type

deleted

Nest.IPutWatchResponse

edit

type

deleted

Nest.IQueryContainer

edit

Intervals property

added

Type property

deleted

Nest.IQuerySqlResponse

edit

type

deleted

Nest.IQueryStringQuery

edit

Timezone property

deleted

TimeZone property

added

Nest.IQueryVisitor

edit

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.IRecoveryStatusResponse

edit

type

deleted

Nest.IRefreshResponse

edit

type

deleted

Nest.IReindexDestination

edit

Type property

deleted

Nest.IReindexOnServerResponse

edit

type

deleted

Nest.IReindexRethrottleResponse

edit

type

deleted

Nest.IReindexSource

edit

Type property

deleted

Nest.IReloadSecureSettingsResponse

edit

type

deleted

Nest.IRemoteInfoResponse

edit

type

deleted

Nest.IRemovePolicyResponse

edit

type

deleted

Nest.IRemoveProcessor

edit

Nest.IRenderSearchTemplateRequest

edit

Inline property

deleted

Nest.IRenderSearchTemplateResponse

edit

type

deleted

Nest.IRequest

edit

GetUrl(IConnectionSettingsValues) method

added

ContentType property

added

RequestParameters property

added

Nest.IRestartWatcherRequest

edit

type

deleted

Nest.IRestartWatcherResponse

edit

type

deleted

Nest.IRestoreResponse

edit

type

deleted

Nest.IResumeFollowIndexResponse

edit

type

deleted

Nest.IRetryIlmResponse

edit

type

deleted

Nest.IRevertModelSnapshotResponse

edit

type

deleted

Nest.IRolloverIndexResponse

edit

type

deleted

Nest.IRolloverLifecycleAction

edit

MaximumSizeAsString property

deleted

Nest.IRollupSearchRequest

edit

Type property

deleted

Nest.IRollupSearchResponse<T>

edit

type

deleted

Nest.IRootNodeInfoResponse

edit

type

deleted

Nest.IS3RepositorySettings

edit

AccessKey property

deleted

ConcurrentStreams property

deleted

SecretKey property

deleted

Nest.IScriptProcessor

edit

Inline property

deleted

Nest.IScriptQuery

edit

Id property

deleted

Inline property

deleted

Lang property

deleted

Params property

deleted

Script property

added

Source property

deleted

Nest.IScriptScoreFunction

edit

Nest.ISearchInputRequest

edit

Types property

deleted

Nest.ISearchRequest

edit

Type property

deleted

Nest.ISearchResponse<out TDocument>

edit

Aggs property

deleted

Nest.ISearchShardsResponse

edit

type

deleted

Nest.ISearchTemplateRequest

edit

Inline property

deleted

Type property

deleted

Nest.ISegmentsResponse

edit

type

deleted

Nest.IShardsOperationResponse

edit

type

deleted

Nest.IShrinkIndexResponse

edit

type

deleted

Nest.ISignificantTermsAggregation

edit

Nest.ISignificantTextAggregation

edit

Nest.ISimulatePipelineDocument

edit

Type property

deleted

Nest.ISimulatePipelineResponse

edit

type

deleted

Nest.ISnapshotResponse

edit

type

deleted

Nest.ISnapshotStatusResponse

edit

type

deleted

Nest.ISort

edit

NestedFilter property

deleted

NestedPath property

deleted

Nest.ISortOrder

edit

type

added

Nest.ISourceExistsRequest

edit

Type property

deleted

Nest.ISourceRequest

edit

Type property

deleted

Nest.ISourceResponse<out TDocument>

edit

Nest.ISplitIndexResponse

edit

type

deleted

Nest.IStandardTokenFilter

edit

type

deleted

Nest.IStartBasicLicenseResponse

edit

type

deleted

Nest.IStartDatafeedResponse

edit

type

deleted

Nest.IStartIlmResponse

edit

type

deleted

Nest.IStartRollupJobResponse

edit

type

deleted

Nest.IStartTrialLicenseResponse

edit

type

deleted

Nest.IStartWatcherResponse

edit

type

deleted

Nest.IStopDatafeedResponse

edit

type

deleted

Nest.IStopIlmResponse

edit

type

deleted

Nest.IStopRollupJobResponse

edit

type

deleted

Nest.IStopWatcherResponse

edit

type

deleted

Nest.ISuggest<out T>

edit

type

added

Nest.ISuggestDictionary<out T>

edit

type

added

Nest.ISuggestFuzziness

edit

type

added

Nest.ISuggestOption<out TDocument>

edit

type

added

Nest.ISyncedFlushResponse

edit

type

deleted

Nest.ISynonymGraphTokenFilter

edit

IgnoreCase property

deleted

Nest.ISynonymTokenFilter

edit

IgnoreCase property

deleted

Nest.ITemplateMapping

edit

Nest.ITermSuggester

edit

Nest.ITermVectors

edit

Type property

deleted

Nest.ITermVectorsRequest<TDocument>

edit

Type property

deleted

Nest.ITermVectorsResponse

edit

type

deleted

Nest.ITranslateSqlResponse

edit

type

deleted

Nest.ITypedSearchRequest

edit

type

added

Nest.ITypeExistsRequest

edit

Nest.ITypeQuery

edit

type

deleted

Nest.IUnfollowIndexResponse

edit

type

deleted

Nest.IUpdateByQueryRequest

edit

Type property

deleted

Nest.IUpdateByQueryResponse

edit

type

deleted

Nest.IUpdateDatafeedRequest

edit

Types property

deleted

Nest.IUpdateDatafeedResponse

edit

type

deleted

Nest.IUpdateFilterResponse

edit

type

deleted

Nest.IUpdateIndexSettingsResponse

edit

type

deleted

Nest.IUpdateJobResponse

edit

type

deleted

Nest.IUpdateModelSnapshotResponse

edit

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.IUpgradeRequest

edit

type

deleted

Nest.IUpgradeResponse

edit

type

deleted

Nest.IUpgradeStatusRequest

edit

type

deleted

Nest.IUpgradeStatusResponse

edit

type

deleted

Nest.IValidateDetectorResponse

edit

type

deleted

Nest.IValidateJobResponse

edit

type

deleted

Nest.IValidateQueryRequest

edit

Type property

deleted

Nest.IValidateQueryResponse

edit

type

deleted

Nest.IVerifyRepositoryResponse

edit

type

deleted

Nest.IWatch

edit

type

added

Nest.IWatcherStatsRequest

edit

Metric property

added

WatcherStatsMetric property

deleted

Nest.IWatcherStatsResponse

edit

type

deleted

Nest.IXPackInfoResponse

edit

type

deleted

Nest.IXPackUsageResponse

edit

type

deleted

.Child

edit

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.KeepTypesTokenFilter

edit

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.LazyDocument

edit

AsAsync<T>(CancellationToken) method

added

AsAsync(Type, CancellationToken) method

added

Nest.LifecycleActions

edit

LifecycleActions(Dictionary<String, ILifecycleAction>) method

deleted

Nest.LifecycleExplain

edit

Nest.LikeDocumentBase

edit

Type property

deleted

Nest.LikeDocumentDescriptor<TDocument>

edit

Type(TypeName) method

deleted

Nest.LineStringGeoShape

edit

LineStringGeoShape() method

Member is less visible.

Nest.ListTasksDescriptor

edit

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.ListTasksRequest

edit

ParentNode property

deleted

Nest.ListTasksResponse

edit

NodeFailures property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.LongId

edit

type

added

Nest.LowercaseProcessorDescriptor<T>

edit

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

deleted

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

added

Nest.MachineLearningInfoResponse

edit

Defaults property getter

changed to non-virtual.

Limits property getter

changed to non-virtual.

UpgradeMode property getter

changed to non-virtual.

Nest.Mappings

edit

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.MappingsDescriptor

edit

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.MappingWalker

edit

Accept(GetMappingResponse) method

added

Accept(IGetMappingResponse) method

deleted

Nest.MatrixAggregateBase

edit

Meta property setter

changed to non-virtual.

Nest.MatrixStatsAggregate

edit

Nest.MergesStats

edit

Nest.MetadataIndexState

edit

type

deleted

Nest.MetadataState

edit

type

deleted

Nest.MetricAggregateBase

edit

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.MigrationAssistanceDescriptor

edit

type

deleted

Nest.MigrationAssistanceRequest

edit

type

deleted

Nest.MigrationAssistanceResponse

edit

type

deleted

Nest.MigrationUpgradeDescriptor

edit

type

deleted

Nest.MigrationUpgradeRequest

edit

type

deleted

Nest.MigrationUpgradeResponse

edit

type

deleted

Nest.MissingAggregationDescriptor<T>

edit

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

deleted

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

added

Nest.MoveToStepDescriptor

edit

MoveToStepDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.MoveToStepRequest

edit

MoveToStepRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.MultiBucketAggregate<TBucket>

edit

Meta property setter

changed to non-virtual.

Nest.MultiGetDescriptor

edit

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.MultiGetRequest

edit

MultiGetRequest(IndexName, TypeName) method

deleted

RequestDefaults(MultiGetRequestParameters) method

added

SourceExclude property

deleted

SourceExcludes property

added

SourceInclude property

deleted

SourceIncludes property

added

Nest.MultiGetResponse

edit

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.MultiLineStringGeoShape

edit

MultiLineStringGeoShape() method

Member is less visible.

Nest.MultipleMappingsDescriptor

edit

type

deleted

Nest.MultiPointGeoShape

edit

MultiPointGeoShape() method

Member is less visible.

Nest.MultiPolygonGeoShape

edit

MultiPolygonGeoShape() method

Member is less visible.

Nest.MultiSearchDescriptor

edit

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.MultiSearchRequest

edit

MultiSearchRequest(Indices, Types) method

deleted

Initialize() method

deleted

RequestDefaults(MultiSearchRequestParameters) method

added

CcsMinimizeRoundtrips property

added

Nest.MultiSearchResponse

edit

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.MultiSearchTemplateDescriptor

edit

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.MultiSearchTemplateRequest

edit

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.MultiTermVectorsDescriptor

edit

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.MultiTermVectorsRequest

edit

MultiTermVectorsRequest(IndexName, TypeName) method

deleted

Parent property

deleted

Nest.MultiTermVectorsResponse

edit

Documents property getter

changed to non-virtual.

Nest.NamespacedClientProxy

edit

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.NodeInfo

edit

Nest.NodeInfoJvmMemory

edit

type

added

Nest.NodeInfoJVMMemory

edit

type

deleted

Nest.NodeJvmInfo

edit

GcCollectors property

added

GCCollectors property

deleted

Pid property

added

PID property

deleted

Nest.NodeJvmStats

edit

.GarbageCollectionStats

edit

.MemoryStats

edit

.JvmPool

edit

type

added

.JVMPool

edit

type

deleted

Nest.NodesHotThreadsDescriptor

edit

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.NodesHotThreadsRequest

edit

NodesHotThreadsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

RequestDefaults(NodesHotThreadsRequestParameters) method

added

ContentType property

added

Nest.NodesHotThreadsResponse

edit

HotThreads property getter

changed to non-virtual.

Nest.NodesInfoDescriptor

edit

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.NodesInfoRequest

edit

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.NodesInfoResponse

edit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.NodesResponseBase

edit

NodeStatistics property getter

changed to non-virtual.

Nest.NodesStatsDescriptor

edit

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.NodesStatsRequest

edit

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.NodesStatsResponse

edit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.NodeState

edit

type

deleted

Nest.NodeStats

edit

Nest.NodesUsageDescriptor

edit

NodesUsageDescriptor(Metrics) method

added

NodesUsageDescriptor(NodeIds) method

added

NodesUsageDescriptor(NodeIds, Metrics) method

added

Metric(NodesUsageMetric) method

deleted

Metric(Metrics) method

added

Nest.NodesUsageRequest

edit

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.NodesUsageResponse

edit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.NodeThreadPoolInfo

edit

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.ObsoleteMappingsBase

edit

type

added

Nest.OpenIndexDescriptor

edit

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.OpenIndexRequest

edit

OpenIndexRequest() method

added

Nest.OpenJobDescriptor

edit

OpenJobDescriptor() method

added

OpenJobDescriptor(Id) method

Parameter name changed from job_id to jobId.

Nest.OpenJobRequest

edit

OpenJobRequest() method

added

OpenJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.OpenJobResponse

edit

Opened property getter

changed to non-virtual.

Nest.PauseFollowIndexDescriptor

edit

PauseFollowIndexDescriptor() method

added

Nest.PauseFollowIndexRequest

edit

PauseFollowIndexRequest() method

added

Nest.PercentileItem

edit

Nest.PercentileRanksAggregation

edit

Keyed property

added

Nest.PercentileRanksAggregationDescriptor<T>

edit

Keyed(Nullable<Boolean>) method

added

Nest.PercentilesAggregation

edit

Keyed property

added

Nest.PercentilesAggregationDescriptor<T>

edit

Keyed(Nullable<Boolean>) method

added

Nest.PercolateQuery

edit

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.PhaseExecution

edit

Nest.PlainRequestBase<TParameters>

edit

SourceQueryString property

added

Nest.PluginStats

edit

ExtendedPlugins property

added

Isolated property

deleted

Jvm property

deleted

Site property

deleted

Nest.PointGeoShape

edit

PointGeoShape() method

Member is less visible.

Nest.PolicyId

edit

type

deleted

Nest.PolygonGeoShape

edit

PolygonGeoShape() method

Member is less visible.

Nest.PostCalendarEventsDescriptor

edit

PostCalendarEventsDescriptor() method

added

PostCalendarEventsDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PostCalendarEventsRequest

edit

PostCalendarEventsRequest() method

added

PostCalendarEventsRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PostCalendarEventsResponse

edit

Events property getter

changed to non-virtual.

Nest.PostJobDataDescriptor

edit

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.PostJobDataRequest

edit

PostJobDataRequest() method

added

PostJobDataRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.PostJobDataResponse

edit

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.PostLicenseResponse

edit

Acknowledge property getter

changed to non-virtual.

Acknowledged property getter

changed to non-virtual.

LicenseStatus property getter

changed to non-virtual.

Nest.PreventMappingMultipleTypesDescriptor

edit

type

added

Nest.PreviewDatafeedDescriptor

edit

PreviewDatafeedDescriptor() method

added

PreviewDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.PreviewDatafeedRequest

edit

PreviewDatafeedRequest() method

added

PreviewDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.PreviewDatafeedResponse<TDocument>

edit

Nest.ProcessorsDescriptor

edit

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.PropertyNameAttribute

edit

AllowPrivate property

added

Ignore property

added

Name property getter

changed to virtual.

Name property setter

changed to virtual.

Order property

added

Nest.PutAliasDescriptor

edit

PutAliasDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutAliasRequest

edit

PutAliasRequest() method

added

Nest.PutCalendarDescriptor

edit

PutCalendarDescriptor() method

added

PutCalendarDescriptor(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarJobDescriptor

edit

PutCalendarJobDescriptor() method

added

PutCalendarJobDescriptor(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarJobRequest

edit

PutCalendarJobRequest() method

added

PutCalendarJobRequest(Id, Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarJobResponse

edit

CalendarId property getter

changed to non-virtual.

Description property getter

changed to non-virtual.

JobIds property getter

changed to non-virtual.

Nest.PutCalendarRequest

edit

PutCalendarRequest() method

added

PutCalendarRequest(Id) method

Parameter name changed from calendar_id to calendarId.

Nest.PutCalendarResponse

edit

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.PutDatafeedRequest

edit

PutDatafeedRequest() method

added

PutDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Types property

deleted

Nest.PutDatafeedResponse

edit

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.PutFilterDescriptor

edit

PutFilterDescriptor() method

added

PutFilterDescriptor(Id) method

Parameter name changed from filter_id to filterId.

Nest.PutFilterRequest

edit

PutFilterRequest() method

added

PutFilterRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.PutFilterResponse

edit

Description property getter

changed to non-virtual.

FilterId property getter

changed to non-virtual.

Items property getter

changed to non-virtual.

Nest.PutIndexTemplateDescriptor

edit

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.PutIndexTemplateRequest

edit

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.PutJobRequest

edit

PutJobRequest() method

added

PutJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.PutJobResponse

edit

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.PutLifecycleDescriptor

edit

PutLifecycleDescriptor() method

added

PutLifecycleDescriptor(Id) method

added

PutLifecycleDescriptor(PolicyId) method

deleted

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.PutLifecycleRequest

edit

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.PutMappingRequest

edit

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.PutPipelineDescriptor

edit

PutPipelineDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutPipelineRequest

edit

PutPipelineRequest() method

added

Nest.PutPrivilegesResponse

edit

Applications property getter

changed to non-virtual.

Nest.PutRoleDescriptor

edit

PutRoleDescriptor() method

added

Applications(Func<ApplicationPrivilegesDescriptor, IPromise<IList<IApplicationPrivileges>>>) method

deleted

Applications(Func<ApplicationPrivilegesListDescriptor, IPromise<IList<IApplicationPrivileges>>>) method

added

Nest.PutRoleMappingDescriptor

edit

PutRoleMappingDescriptor() method

added

Nest.PutRoleMappingRequest

edit

PutRoleMappingRequest() method

added

Nest.PutRoleMappingResponse

edit

RoleMapping property getter

changed to non-virtual.

Nest.PutRoleRequest

edit

PutRoleRequest() method

added

Nest.PutRoleResponse

edit

Role property getter

changed to non-virtual.

Nest.PutScriptDescriptor

edit

PutScriptDescriptor() method

added

PutScriptDescriptor(Id, Name) method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.PutScriptRequest

edit

PutScriptRequest() method

added

Nest.PutUserDescriptor

edit

PutUserDescriptor() method

added

Nest.PutUserRequest

edit

PutUserRequest() method

added

Nest.PutUserResponse

edit

Created property

added

User property

deleted

Nest.PutUserStatus

edit

type

deleted

Nest.PutWatchDescriptor

edit

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.PutWatchRequest

edit

PutWatchRequest() method

Member is less visible.

IfSeqNo property

deleted

IfSequenceNumber property

added

MasterTimeout property

deleted

Nest.PutWatchResponse

edit

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.QueryCacheStats

edit

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.QuerySqlResponse

edit

Columns property getter

changed to non-virtual.

Cursor property getter

changed to non-virtual.

Rows property getter

changed to non-virtual.

Nest.QueryStringQuery

edit

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.QueryVisitor

edit

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.RecoveryStatusDescriptor

edit

RecoveryStatusDescriptor(Indices) method

added

ActiveOnly(Nullable<Boolean>) method

Parameter name changed from activeOnly to activeonly.

Nest.RecoveryStatusResponse

edit

Indices property getter

changed to non-virtual.

Nest.RefreshDescriptor

edit

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.ReindexDestination

edit

Type property

deleted

Nest.ReindexDestinationDescriptor

edit

Type(TypeName) method

deleted

Nest.ReindexObservable<TSource, TTarget>

edit

Subscribe(IObserver<BulkAllResponse>) method

added

Subscribe(IObserver<IBulkAllResponse>) method

deleted

Nest.ReindexObserver

edit

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

added

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

deleted

Nest.ReindexOnServerDescriptor

edit

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.ReindexOnServerResponse

edit

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.ReindexRethrottleDescriptor

edit

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.ReindexRethrottleRequest

edit

ReindexRethrottleRequest() method

added

ReindexRethrottleRequest(TaskId) method

Parameter name changed from task_id to taskId.

Nest.ReindexRethrottleResponse

edit

Nodes property getter

changed to non-virtual.

Nest.ReindexSource

edit

Type property

deleted

Nest.ReindexSourceDescriptor

edit

Type(Types) method

deleted

Nest.RelationName

edit

EqualsString(String) method

Member is less visible.

Nest.ReloadSecureSettingsDescriptor

edit

ReloadSecureSettingsDescriptor(NodeIds) method

added

Nest.ReloadSecureSettingsRequest

edit

ReloadSecureSettingsRequest(NodeIds) method

Parameter name changed from node_id to nodeId.

Nest.ReloadSecureSettingsResponse

edit

ClusterName property getter

changed to non-virtual.

Nodes property getter

changed to non-virtual.

Nest.RemoteClusterConfiguration

edit

Add(String, Dictionary<String, Object>) method

added

Nest.RemoteInfo

edit

HttpAddresses property

deleted

SkipUnavailable property

added

Nest.RemoteInfoResponse

edit

Remotes property getter

changed to non-virtual.

Nest.RemovePolicyDescriptor

edit

RemovePolicyDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.RemovePolicyRequest

edit

RemovePolicyRequest() method

added

MasterTimeout property

deleted

Timeout property

deleted

Nest.RemovePolicyResponse

edit

FailedIndexes property getter

changed to non-virtual.

HasFailures property getter

changed to non-virtual.

Nest.RemoveProcessor

edit

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.RenderSearchTemplateDescriptor

edit

RenderSearchTemplateDescriptor(Id) method

added

Inline(String) method

deleted

Nest.RenderSearchTemplateRequest

edit

Inline property

deleted

Nest.RenderSearchTemplateResponse

edit

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.RestartWatcherDescriptor

edit

type

deleted

Nest.RestartWatcherRequest

edit

type

deleted

Nest.RestoreCompletedEventArgs

edit

RestoreCompletedEventArgs(IRecoveryStatusResponse) method

deleted

RestoreCompletedEventArgs(RecoveryStatusResponse) method

added

Nest.RestoreDescriptor

edit

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.RestoreNextEventArgs

edit

RestoreNextEventArgs(IRecoveryStatusResponse) method

deleted

RestoreNextEventArgs(RecoveryStatusResponse) method

added

Nest.RestoreObservable

edit

Subscribe(IObserver<IRecoveryStatusResponse>) method

deleted

Subscribe(IObserver<RecoveryStatusResponse>) method

added

Nest.RestoreObserver

edit

RestoreObserver(Action<IRecoveryStatusResponse>, Action<Exception>, Action) method

deleted

RestoreObserver(Action<RecoveryStatusResponse>, Action<Exception>, Action) method

added

Nest.RestoreRequest

edit

RestoreRequest() method

added

Nest.RestoreResponse

edit

Snapshot property getter

changed to non-virtual.

Snapshot property setter

changed to non-virtual.

Nest.ResumeFollowIndexDescriptor

edit

ResumeFollowIndexDescriptor() method

added

Nest.ResumeFollowIndexRequest

edit

ResumeFollowIndexRequest() method

added

Nest.RetryIlmDescriptor

edit

RetryIlmDescriptor() method

added

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.RetryIlmRequest

edit

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.RevertModelSnapshotDescriptor

edit

RevertModelSnapshotDescriptor() method

added

RevertModelSnapshotDescriptor(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.RevertModelSnapshotRequest

edit

RevertModelSnapshotRequest() method

added

RevertModelSnapshotRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.RevertModelSnapshotResponse

edit

Model property getter

changed to non-virtual.

Nest.RolloverIndexDescriptor

edit

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.RolloverIndexRequest

edit

RolloverIndexRequest() method

added

RolloverIndexRequest(Name, IndexName) method

Parameter name changed from new_index to newIndex.

Nest.RolloverIndexResponse

edit

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.RolloverLifecycleAction

edit

MaximumSize property getter

MaximumSize property setter

MaximumSizeAsString property

deleted

Nest.RolloverLifecycleActionDescriptor

edit

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.RollupFieldsCapabilitiesDictionary

edit

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

added

Nest.RollupFieldsIndexCapabilitiesDictionary

edit

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.RollupSearchRequest

edit

RollupSearchRequest() method

added

RollupSearchRequest(Indices, TypeName) method

deleted

TotalHitsAsInteger property

added

Nest.RootNodeInfoResponse

edit

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.RouteValues

edit

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.RoutingNodesState

edit

type

deleted

Nest.RoutingShard

edit

type

deleted

Nest.RoutingTableState

edit

type

deleted

Nest.S3Repository

edit

S3Repository(IS3RepositorySettings) method

added

S3Repository(S3RepositorySettings) method

deleted

Nest.S3RepositorySettings

edit

AccessKey property

deleted

ConcurrentStreams property

deleted

SecretKey property

deleted

Nest.S3RepositorySettingsDescriptor

edit

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.ScriptConditionDescriptor

edit

Indexed(String) method

deleted

Inline(String) method

deleted

Nest.ScriptDescriptor

edit

Indexed(String) method

deleted

Inline(String) method

deleted

Nest.ScriptProcessor

edit

Inline property

deleted

Nest.ScriptProcessorDescriptor

edit

Inline(String) method

deleted

Nest.ScriptQuery

edit

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.ScriptScoreFunction

edit

Nest.ScriptScoreFunctionDescriptor<T>

edit

Script(Func<ScriptDescriptor, IScript>) method

added

Script(Func<ScriptQueryDescriptor<T>, IScriptQuery>) method

deleted

Nest.ScriptSortDescriptor<T>

edit

type

added

Nest.ScriptTransformDescriptor

edit

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.ScrollRequest

edit

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.SearchInputRequest

edit

Types property

deleted

Nest.SearchInputRequestDescriptor

edit

Types<T>() method

deleted

Types(TypeName[]) method

deleted

Types(IEnumerable<TypeName>) method

deleted

Nest.SearchRequest

edit

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.SearchShardsResponse

edit

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.SearchTemplateRequest

edit

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.Segment

edit

Size property

deleted

Nest.SegmentsDescriptor

edit

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.SegmentsRequest

edit

OperationThreading property

deleted

Nest.SegmentsResponse

edit

Indices property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Nest.SegmentsStats

edit

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.SelectorBase

edit

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.ShardFielddata

edit

type

added

Nest.ShardFieldData

edit

type

deleted

Nest.ShardsOperationResponseBase

edit

Shards property getter

changed to non-virtual.

Nest.ShardStats

edit

Fielddata property

added

FieldData property

deleted

Nest.ShrinkIndexDescriptor

edit

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.ShrinkIndexRequest

edit

ShrinkIndexRequest() method

Member is more visible.

CopySettings property

deleted

Nest.ShrinkIndexResponse

edit

ShardsAcknowledged property getter

changed to non-virtual.

Nest.SignificantTermsAggregate

edit

type

deleted

Nest.SignificantTermsAggregate<TKey>

edit

type

added

Nest.SignificantTermsAggregation

edit

Nest.SignificantTermsAggregationDescriptor<T>

edit

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

deleted

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

added

Nest.SignificantTermsBucket

edit

type

deleted

Nest.SignificantTermsBucket<TKey>

edit

type

added

Nest.SignificantTermsIncludeExclude

edit

type

deleted

Nest.SignificantTextAggregation

edit

Nest.SignificantTextAggregationDescriptor<T>

edit

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

deleted

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

added

Nest.SimilaritiesDescriptor

edit

Classic(String, Func<ClassicSimilarityDescriptor, IClassicSimilarity>) method

deleted

Nest.SimilarityOption

edit

type

deleted

Nest.SimulatePipelineDescriptor

edit

SimulatePipelineDescriptor(Id) method

added

Nest.SimulatePipelineDocument

edit

Type property

deleted

Nest.SimulatePipelineDocumentDescriptor

edit

Type(TypeName) method

deleted

Nest.SimulatePipelineResponse

edit

Documents property getter

changed to non-virtual.

Nest.SingleBucketAggregate

edit

Aggregations property

deleted

Nest.SlicedScrollDescriptor<T>

edit

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

deleted

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

added

Nest.SnapshotCompletedEventArgs

edit

SnapshotCompletedEventArgs(ISnapshotStatusResponse) method

deleted

SnapshotCompletedEventArgs(SnapshotStatusResponse) method

added

Nest.SnapshotDescriptor

edit

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.SnapshotNextEventArgs

edit

SnapshotNextEventArgs(ISnapshotStatusResponse) method

deleted

SnapshotNextEventArgs(SnapshotStatusResponse) method

added

Nest.SnapshotObservable

edit

Subscribe(IObserver<ISnapshotStatusResponse>) method

deleted

Subscribe(IObserver<SnapshotStatusResponse>) method

added

Nest.SnapshotObserver

edit

SnapshotObserver(Action<ISnapshotStatusResponse>, Action<Exception>, Action) method

deleted

SnapshotObserver(Action<SnapshotStatusResponse>, Action<Exception>, Action) method

added

Nest.SnapshotRequest

edit

SnapshotRequest() method

added

Nest.SnapshotResponse

edit

Accepted property getter

changed to non-virtual.

Snapshot property getter

changed to non-virtual.

Snapshot property setter

changed to non-virtual.

Nest.SnapshotStats

edit

NumberOfFiles property

deleted

ProcessedFiles property

deleted

ProcessedSizeInBytes property

deleted

TotalSizeInBytes property

deleted

Nest.SnapshotStatusDescriptor

edit

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.SnapshotStatusResponse

edit

Snapshots property getter

changed to non-virtual.

Nest.SortBase

edit

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.SortField

edit

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.SourceExistsRequest

edit

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.SourceManyExtensions

edit

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.SourceRequest

edit

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.CatNamespace

edit

type

added

Nest.Specification.ClusterApi.ClusterNamespace

edit

type

added

Nest.Specification.CrossClusterReplicationApi.CrossClusterReplicationNamespace

edit

type

added

Nest.Specification.GraphApi.GraphNamespace

edit

type

added

Nest.Specification.IndexLifecycleManagementApi.IndexLifecycleManagementNamespace

edit

type

added

Nest.Specification.IndicesApi.IndicesNamespace

edit

type

added

Nest.Specification.IngestApi.IngestNamespace

edit

type

added

Nest.Specification.LicenseApi.LicenseNamespace

edit

type

added

Nest.Specification.MachineLearningApi.MachineLearningNamespace

edit

type

added

Nest.Specification.MigrationApi.MigrationNamespace

edit

type

added

Nest.Specification.NodesApi.NodesNamespace

edit

type

added

Nest.Specification.RollupApi.RollupNamespace

edit

type

added

Nest.Specification.SecurityApi.SecurityNamespace

edit

type

added

Nest.Specification.SnapshotApi.SnapshotNamespace

edit

type

added

Nest.Specification.SqlApi.SqlNamespace

edit

type

added

Nest.Specification.TasksApi.TasksNamespace

edit

type

added

Nest.Specification.WatcherApi.WatcherNamespace

edit

type

added

Nest.Specification.XPackApi.XPackNamespace

edit

type

added

Nest.SplitIndexDescriptor

edit

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.SplitIndexRequest

edit

SplitIndexRequest() method

Member is more visible.

CopySettings property

deleted

Nest.SplitIndexResponse

edit

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.StandardTokenFilter

edit

type

deleted

Nest.StandardTokenFilterDescriptor

edit

type

deleted

Nest.StartBasicLicenseResponse

edit

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.StartDatafeedDescriptor

edit

StartDatafeedDescriptor() method

added

StartDatafeedDescriptor(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.StartDatafeedRequest

edit

StartDatafeedRequest() method

added

StartDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.StartDatafeedResponse

edit

Started property getter

changed to non-virtual.

Nest.StartIlmDescriptor

edit

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.StartIlmRequest

edit

MasterTimeout property

deleted

Timeout property

deleted

Nest.StartRollupJobDescriptor

edit

StartRollupJobDescriptor() method

added

Nest.StartRollupJobRequest

edit

StartRollupJobRequest() method

added

Nest.StartRollupJobResponse

edit

Started property getter

changed to non-virtual.

Started property setter

changed to non-virtual.

Nest.StartTrialLicenseDescriptor

edit

TypeQueryString(String) method

Parameter name changed from typeQueryString to typequerystring.

Nest.StartTrialLicenseResponse

edit

ErrorMessage property getter

changed to non-virtual.

TrialWasStarted property getter

changed to non-virtual.

Nest.StatsAggregate

edit

Nest.StopDatafeedDescriptor

edit

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.StopDatafeedRequest

edit

StopDatafeedRequest() method

added

StopDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Nest.StopDatafeedResponse

edit

Stopped property getter

changed to non-virtual.

Nest.StopIlmDescriptor

edit

MasterTimeout(Time) method

deleted

Timeout(Time) method

deleted

Nest.StopIlmRequest

edit

MasterTimeout property

deleted

Timeout property

deleted

Nest.StopRollupJobDescriptor

edit

StopRollupJobDescriptor() method

added

WaitForCompletion(Nullable<Boolean>) method

Parameter name changed from waitForCompletion to waitforcompletion.

Nest.StopRollupJobRequest

edit

StopRollupJobRequest() method

added

Nest.StopRollupJobResponse

edit

Stopped property getter

changed to non-virtual.

Stopped property setter

changed to non-virtual.

Nest.StoredScriptMapping

edit

type

deleted

Nest.StringEnumAttribute

edit

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.SuggestFuzziness

edit

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.SyncedFlushDescriptor

edit

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.SynonymGraphTokenFilter

edit

IgnoreCase property

deleted

Nest.SynonymGraphTokenFilterDescriptor

edit

IgnoreCase(Nullable<Boolean>) method

deleted

Nest.SynonymTokenFilter

edit

IgnoreCase property

deleted

Nest.SynonymTokenFilterDescriptor

edit

IgnoreCase(Nullable<Boolean>) method

deleted

Nest.TaskStatus

edit

Nest.TemplateMapping

edit

Nest.TermsAggregationDescriptor<T>

edit

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

deleted

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

added

Nest.TermsOrder

edit

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.TermSuggester

edit

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.TermVectorsResponse

edit

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.TermVectorsResult

edit

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.Timestamp

edit

type

added

Nest.TokenFiltersDescriptor

edit

Standard(String, Func<StandardTokenFilterDescriptor, IStandardTokenFilter>) method

deleted

Nest.TopHitsAggregate

edit

Hits<TDocument>() method

Member type changed from IReadOnlyCollection<Hit<TDocument>> to IReadOnlyCollection<IHit<TDocument>>.

Nest.TotalHits

edit

type

added

Nest.TotalHitsRelation

edit

type

added

Nest.TranslateSqlDescriptor

edit

RequestDefaults(TranslateSqlRequestParameters) method

added

Nest.TranslateSqlRequest

edit

RequestDefaults(TranslateSqlRequestParameters) method

added

Nest.TranslateSqlResponse

edit

Result property getter

changed to non-virtual.

Nest.TransportStats

edit

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.TypeExistsDescriptor

edit

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.TypeExistsRequest

edit

TypeExistsRequest() method

added

TypeExistsRequest(Indices, Names) method

added

TypeExistsRequest(Indices, Types) method

deleted

Nest.TypeFieldMappings

edit

Nest.TypeMappings

edit

type

deleted

Nest.TypeName

edit

type

deleted

Nest.TypeNameResolver

edit

type

deleted

Nest.TypeQuery

edit

type

deleted

Nest.TypeQueryDescriptor

edit

type

deleted

Nest.Types

edit

type

deleted

Nest.UnfollowIndexDescriptor

edit

UnfollowIndexDescriptor() method

added

Nest.UnfollowIndexRequest

edit

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.UpdateByQueryRequest

edit

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.UpdateByQueryResponse

edit

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.UpdateByQueryRethrottleDescriptor

edit

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.UpdateByQueryRethrottleRequest

edit

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.UpdateDatafeedRequest

edit

UpdateDatafeedRequest() method

added

UpdateDatafeedRequest(Id) method

Parameter name changed from datafeed_id to datafeedId.

Types property

deleted

Nest.UpdateDatafeedResponse

edit

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.UpdateFilterDescriptor

edit

UpdateFilterDescriptor() method

added

UpdateFilterDescriptor(Id) method

Parameter name changed from filter_id to filterId.

Nest.UpdateFilterRequest

edit

UpdateFilterRequest() method

added

UpdateFilterRequest(Id) method

Parameter name changed from filter_id to filterId.

Nest.UpdateFilterResponse

edit

Description property getter

changed to non-virtual.

FilterId property getter

changed to non-virtual.

Items property getter

changed to non-virtual.

Nest.UpdateIndexSettingsDescriptor

edit

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.UpdateJobRequest

edit

UpdateJobRequest() method

added

UpdateJobRequest(Id) method

Parameter name changed from job_id to jobId.

Nest.UpdateModelSnapshotDescriptor

edit

UpdateModelSnapshotDescriptor() method

added

UpdateModelSnapshotDescriptor(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.UpdateModelSnapshotRequest

edit

UpdateModelSnapshotRequest() method

added

UpdateModelSnapshotRequest(Id, Id) method

Parameter name changed from job_id to jobId.

Nest.UpdateModelSnapshotResponse

edit

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.UpgradeActionRequired

edit

type

deleted

Nest.UpgradeDescriptor

edit

type

deleted

Nest.UpgradeRequest

edit

type

deleted

Nest.UpgradeResponse

edit

type

deleted

Nest.UpgradeStatus

edit

type

deleted

Nest.UpgradeStatusDescriptor

edit

type

deleted

Nest.UpgradeStatusRequest

edit

type

deleted

Nest.UpgradeStatusResponse

edit

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.ValidateQueryRequest

edit

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.ValidateQueryResponse

edit

Explanations property getter

changed to non-virtual.

Shards property getter

changed to non-virtual.

Valid property getter

changed to non-virtual.

Nest.VerifyRepositoryDescriptor

edit

VerifyRepositoryDescriptor() method

added

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.VerifyRepositoryRequest

edit

VerifyRepositoryRequest() method

added

Nest.VerifyRepositoryResponse

edit

Nodes property getter

changed to non-virtual.

Nest.Watch

edit

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.WatchDescriptor

edit

type

added

Nest.WatcherStatsDescriptor

edit

WatcherStatsDescriptor(Metrics) method

added

EmitStacktraces(Nullable<Boolean>) method

Parameter name changed from emitStacktraces to emitstacktraces.

Metric(Metrics) method

added

WatcherStatsMetric(WatcherStatsMetric) method

deleted

Nest.WatcherStatsRequest

edit

WatcherStatsRequest(WatcherStatsMetric) method

deleted

WatcherStatsRequest(Metrics) method

added

Nest.WatcherStatsResponse

edit

ClusterName property getter

changed to non-virtual.

ManuallyStopped property getter

changed to non-virtual.

Stats property getter

changed to non-virtual.

Nest.WatchRecord

edit

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.WriteResponseBase

edit

type

added

Nest.XPackInfoResponse

edit

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.XPackUsageDescriptor

edit

MasterTimeout(Time) method

Parameter name changed from masterTimeout to mastertimeout.

Nest.XPackUsageResponse

edit

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