diff --git a/.nuget/NuGet.Config b/.nuget/NuGet.Config new file mode 100644 index 0000000..67f8ea0 --- /dev/null +++ b/.nuget/NuGet.Config @@ -0,0 +1,6 @@ + + + + + + \ No newline at end of file diff --git a/.nuget/NuGet.exe b/.nuget/NuGet.exe index 9218fe9..be85ec2 100644 Binary files a/.nuget/NuGet.exe and b/.nuget/NuGet.exe differ diff --git a/.nuget/NuGet.targets b/.nuget/NuGet.targets new file mode 100644 index 0000000..3f8c37b --- /dev/null +++ b/.nuget/NuGet.targets @@ -0,0 +1,144 @@ + + + + $(MSBuildProjectDirectory)\..\ + + + false + + + false + + + true + + + false + + + + + + + + + + + $([System.IO.Path]::Combine($(SolutionDir), ".nuget")) + + + + + $(SolutionDir).nuget + + + + $(MSBuildProjectDirectory)\packages.$(MSBuildProjectName.Replace(' ', '_')).config + $(MSBuildProjectDirectory)\packages.$(MSBuildProjectName).config + + + + $(MSBuildProjectDirectory)\packages.config + $(PackagesProjectConfig) + + + + + $(NuGetToolsPath)\NuGet.exe + @(PackageSource) + + "$(NuGetExePath)" + mono --runtime=v4.0.30319 "$(NuGetExePath)" + + $(TargetDir.Trim('\\')) + + -RequireConsent + -NonInteractive + + "$(SolutionDir) " + "$(SolutionDir)" + + + $(NuGetCommand) install "$(PackagesConfig)" -source "$(PackageSources)" $(NonInteractiveSwitch) $(RequireConsentSwitch) -solutionDir $(PaddedSolutionDir) + $(NuGetCommand) pack "$(ProjectPath)" -Properties "Configuration=$(Configuration);Platform=$(Platform)" $(NonInteractiveSwitch) -OutputDirectory "$(PackageOutputDir)" -symbols + + + + RestorePackages; + $(BuildDependsOn); + + + + + $(BuildDependsOn); + BuildPackage; + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/.nuget/packages.config b/.nuget/packages.config index 7025a72..be55d06 100644 --- a/.nuget/packages.config +++ b/.nuget/packages.config @@ -1,4 +1,7 @@  - + + + + \ No newline at end of file diff --git a/README.md b/README.md index a2979d0..569fd2e 100644 --- a/README.md +++ b/README.md @@ -69,7 +69,6 @@ A single Json filter using the single tag (this is only provided as a convienien } ] ``` - Multiple Json filters must use the jsonFilters and array syntax, also mutateFilters, grokFilters, dateFilters, geoipFilters. ```json "Filters": [ diff --git a/TimberWinR.ServiceHost/Program.cs b/TimberWinR.ServiceHost/Program.cs index 73d2b44..94ec34b 100644 --- a/TimberWinR.ServiceHost/Program.cs +++ b/TimberWinR.ServiceHost/Program.cs @@ -7,7 +7,9 @@ using System.Text; using System.Text.RegularExpressions; using System.Threading; using System.Threading.Tasks; +using System.Xml; using Microsoft.Win32; + using TimberWinR.Outputs; using TimberWinR.ServiceHost; using TimberWinR.Inputs; @@ -26,6 +28,9 @@ namespace TimberWinR.ServiceHost private static void Main(string[] args) { + + + Arguments arguments = new Arguments(); HostFactory.Run(hostConfigurator => diff --git a/TimberWinR.ServiceHost/TimberWinR.ServiceHost.csproj b/TimberWinR.ServiceHost/TimberWinR.ServiceHost.csproj index 7ff089c..67f5bf7 100644 --- a/TimberWinR.ServiceHost/TimberWinR.ServiceHost.csproj +++ b/TimberWinR.ServiceHost/TimberWinR.ServiceHost.csproj @@ -12,6 +12,8 @@ v4.0 512 + ..\ + true AnyCPU @@ -49,9 +51,8 @@ - - False - ..\packages\Topshelf.3.1.3\lib\net40-full\Topshelf.dll + + ..\packages\Topshelf.3.1.4\lib\net40-full\Topshelf.dll @@ -87,6 +88,13 @@ + + + + This project references NuGet package(s) that are missing on this computer. Enable NuGet Package Restore to download them. For more information, see http://go.microsoft.com/fwlink/?LinkID=322105. The missing file is {0}. + + + + \ No newline at end of file diff --git a/TimberWinR.TestGenerator/UdpTestGenerator.cs b/TimberWinR.TestGenerator/UdpTestGenerator.cs new file mode 100644 index 0000000..cf2644f --- /dev/null +++ b/TimberWinR.TestGenerator/UdpTestGenerator.cs @@ -0,0 +1,70 @@ +using System.Threading; +using Newtonsoft.Json.Linq; +using NLog; +using NLog.Config; +using NLog.Targets; + +using System; +using System.Collections.Generic; +using System.Linq; +using System.Net; +using System.Net.Sockets; +using System.Text; + +namespace TimberWinR.TestGenerator +{ + class UdpTestParameters + { + public int Port { get; set; } + public string Host { get; set; } + public int NumMessages { get; set; } + public int SleepTimeMilliseconds { get; set; } + public UdpTestParameters() + { + NumMessages = 100; + Port = 6379; + Host = "localhost"; + SleepTimeMilliseconds = 10; + } + } + + class UdpTestGenerator + { + public static int Generate(UdpTestParameters parms) + { + var hostName = System.Environment.MachineName + "." + + Microsoft.Win32.Registry.LocalMachine.OpenSubKey( + "SYSTEM\\CurrentControlSet\\services\\Tcpip\\Parameters").GetValue("Domain", "").ToString(); + + IPAddress broadcast; + if (!IPAddress.TryParse(parms.Host, out broadcast)) + broadcast = Dns.GetHostEntry(parms.Host).AddressList[0]; + + Socket s = new Socket(broadcast.AddressFamily, SocketType.Dgram, ProtocolType.Udp); + + LogManager.GetCurrentClassLogger().Info("Start UDP Generation"); + + for (int i = 0; i < parms.NumMessages; i++) + { + JObject o = new JObject + { + {"Application", "udp-generator"}, + {"Host", hostName}, + {"UtcTimestamp", DateTime.UtcNow.ToString("o")}, + {"Type", "udp"}, + {"Message", "Testgenerator udp message " + DateTime.UtcNow.ToString("o")}, + {"Index", "logstash"} + }; + byte[] sendbuf = Encoding.UTF8.GetBytes(o.ToString()); + IPEndPoint ep = new IPEndPoint(broadcast, parms.Port); + s.SendTo(sendbuf, ep); + Thread.Sleep(parms.SleepTimeMilliseconds); + } + + LogManager.GetCurrentClassLogger().Info("Finished UDP Generation"); + + return parms.NumMessages; + } + + } +} diff --git a/TimberWinR.TestGenerator/default.json b/TimberWinR.TestGenerator/default.json new file mode 100644 index 0000000..9740666 --- /dev/null +++ b/TimberWinR.TestGenerator/default.json @@ -0,0 +1,45 @@ +{ + "TimberWinR": { + "Inputs": { + "Udp": [ + { + "_comment": "Output from NLog", + "port": 5140 + } + ], + "TailFiles": [ + { + "interval": 5, + "logSource": "log files", + "location": "*.jlog", + "recurse": -1 + } + ] + }, + "Filters": [ + { + "grok": { + "condition": "\"[EventTypeName]\" == \"Information Event\"", + "match": [ + "Text", + "" + ], + "drop": "true" + } + } + ], + "Outputs": { + "Redis": [ + { + "_comment": "Change the host to your Redis instance", + "port": 6379, + "batch_count": 500, + "threads": 2, + "host": [ + "tstlexiceapp006.vistaprint.svc" + ] + } + ] + } + } +} diff --git a/TimberWinR.TestGenerator/packages.config b/TimberWinR.TestGenerator/packages.config new file mode 100644 index 0000000..fdebb31 --- /dev/null +++ b/TimberWinR.TestGenerator/packages.config @@ -0,0 +1,10 @@ + + + + + + + + + + \ No newline at end of file diff --git a/TimberWinR.TestGenerator/results1.json b/TimberWinR.TestGenerator/results1.json new file mode 100644 index 0000000..0e887d1 --- /dev/null +++ b/TimberWinR.TestGenerator/results1.json @@ -0,0 +1,20 @@ +{ + "Results": { + "Inputs": [ + { + "taillog": { + "test1: message sent count": "[messages] == 7404", + "test2: average cpu": "[avgCpuUsage] <= 30", + "test3: maximum memory": "[maxMemUsage] <= 20" + } + }, + { + "udp": { + "test1: message sent count": "[messages] == 1234", + "test2: average cpu": "[avgCpuUsage] <= 30", + "test3: maximum memory": "[maxMemUsage] <= 20" + } + } + ] + } +} diff --git a/TimberWinR.TestGenerator/results2.json b/TimberWinR.TestGenerator/results2.json new file mode 100644 index 0000000..e20ac02 --- /dev/null +++ b/TimberWinR.TestGenerator/results2.json @@ -0,0 +1,20 @@ +{ + "Results": { + "Inputs": [ + { + "taillog": { + "test1: message sent count": "[messages] == 7404", + "test2: average cpu": "[avgCpuUsage] <= 30", + "test3: maximum memory": "[maxMemUsage] <= 15" + } + }, + { + "udp": { + "test1: message sent count": "[messages] == 1234", + "test2: average cpu": "[avgCpuUsage] <= 30", + "test3: maximum memory": "[maxMemUsage] <= 15" + } + } + ] + } +} diff --git a/TimberWinR.TestGenerator/test1-twconfig.json b/TimberWinR.TestGenerator/test1-twconfig.json new file mode 100644 index 0000000..9740666 --- /dev/null +++ b/TimberWinR.TestGenerator/test1-twconfig.json @@ -0,0 +1,45 @@ +{ + "TimberWinR": { + "Inputs": { + "Udp": [ + { + "_comment": "Output from NLog", + "port": 5140 + } + ], + "TailFiles": [ + { + "interval": 5, + "logSource": "log files", + "location": "*.jlog", + "recurse": -1 + } + ] + }, + "Filters": [ + { + "grok": { + "condition": "\"[EventTypeName]\" == \"Information Event\"", + "match": [ + "Text", + "" + ], + "drop": "true" + } + } + ], + "Outputs": { + "Redis": [ + { + "_comment": "Change the host to your Redis instance", + "port": 6379, + "batch_count": 500, + "threads": 2, + "host": [ + "tstlexiceapp006.vistaprint.svc" + ] + } + ] + } + } +} diff --git a/TimberWinR.TestGenerator/test1.json b/TimberWinR.TestGenerator/test1.json new file mode 100644 index 0000000..241a50c --- /dev/null +++ b/TimberWinR.TestGenerator/test1.json @@ -0,0 +1,15 @@ +{ + "test": "Test 1", + "arguments": { + "--testFile": "test1.json", + "--testDir": "test1", + "--timberWinRConfig": "test1-twconfig.json", + "--numMessages": 1234, + "--logLevel": "debug", + "--udp-host": "::1", + "--udp": "5140", + "--jroll": ["r1.jlog", "r2.jlog"], + "--json": ["1.jlog", "2.jlog", "3.jlog", "4.jlog"], + "--resultsFile": "results1.json" + } +} diff --git a/TimberWinR.TestGenerator/test2-tw.json b/TimberWinR.TestGenerator/test2-tw.json new file mode 100644 index 0000000..a321b18 --- /dev/null +++ b/TimberWinR.TestGenerator/test2-tw.json @@ -0,0 +1,45 @@ +{ + "TimberWinR": { + "Inputs": { + "Udp": [ + { + "_comment": "Output from NLog", + "port": 5140 + } + ], + "Logs": [ + { + "interval": 5, + "logSource": "log files", + "location": "*.jlog", + "recurse": -1 + } + ] + }, + "Filters": [ + { + "grok": { + "condition": "\"[EventTypeName]\" == \"Information Event\"", + "match": [ + "Text", + "" + ], + "drop": "true" + } + } + ], + "Outputs": { + "Redis": [ + { + "_comment": "Change the host to your Redis instance", + "port": 6379, + "batch_count": 500, + "threads": 2, + "host": [ + "tstlexiceapp006.vistaprint.svc" + ] + } + ] + } + } +} diff --git a/TimberWinR.TestGenerator/test2.json b/TimberWinR.TestGenerator/test2.json new file mode 100644 index 0000000..223da98 --- /dev/null +++ b/TimberWinR.TestGenerator/test2.json @@ -0,0 +1,14 @@ +{ + "test": "Test 2", + "arguments": { + "--testFile": "test2.json", + "--testDir": "test2", + "--timberWinRConfig": "test2-tw.json", + "--numMessages": 1234, + "--logLevel": "debug", + "--udp": "5140", + "--jroll": ["r1.jlog", "r2.jlog"], + "--json": ["1.jlog", "2.jlog", "3.jlog", "4.jlog"], + "--resultsFile": "results2.json" + } +} diff --git a/TimberWinR.UnitTests/GrokFilterTests.cs b/TimberWinR.UnitTests/GrokFilterTests.cs index c1e4398..5aecd96 100644 --- a/TimberWinR.UnitTests/GrokFilterTests.cs +++ b/TimberWinR.UnitTests/GrokFilterTests.cs @@ -223,6 +223,7 @@ namespace TimberWinR.UnitTests } }, {"type", "Win32-FileLog"}, + {"Type", "Win32-MyType"}, {"ComputerName", "dev.mycompany.net"} }; @@ -281,11 +282,35 @@ namespace TimberWinR.UnitTests } }"; - // Positive Tests - Configuration c = Configuration.FromString(grokJson1); + string grokJson4 = @"{ + ""TimberWinR"":{ + ""Filters"":[ + { + ""grok"":{ + ""condition"": ""!\""[Type]\"".StartsWith(\""[\"") && !\""[Type]\"".EndsWith(\""]\"") && (\""[type]\"" == \""Win32-FileLog\"")"", + ""match"":[ + ""Text"", + """" + ], + ""remove_tag"":[ + ""tag1"" + ] + } + }] + } + }"; + + + Configuration c = Configuration.FromString(grokJson4); Grok grok = c.Filters.First() as Grok; Assert.IsTrue(grok.Apply(json)); + + // Positive Tests + c = Configuration.FromString(grokJson1); + grok = c.Filters.First() as Grok; + Assert.IsTrue(grok.Apply(json)); + c = Configuration.FromString(grokJson2); grok = c.Filters.First() as Grok; Assert.IsTrue(grok.Apply(json)); diff --git a/TimberWinR.UnitTests/Inputs/IisW3CRowReaderTests.cs b/TimberWinR.UnitTests/Inputs/IisW3CRowReaderTests.cs deleted file mode 100644 index fa2ff9f..0000000 --- a/TimberWinR.UnitTests/Inputs/IisW3CRowReaderTests.cs +++ /dev/null @@ -1,60 +0,0 @@ -namespace TimberWinR.UnitTests.Inputs -{ - using System; - using System.Collections.Generic; - - using Interop.MSUtil; - - using Moq; - - using NUnit.Framework; - - using TimberWinR.Inputs; - using TimberWinR.Parser; - - [TestFixture] - public class IisW3CRowReaderTests : TestBase - { - private IisW3CRowReader reader; - - public override void Setup() - { - base.Setup(); - var fields = new List - { - new Field("date", "DateTime"), - new Field("time", "DateTime"), - new Field("uri") - }; - this.reader = new IisW3CRowReader(fields); - - var recordset = this.GetRecordsetMock(); - this.reader.ReadColumnMap(recordset.Object); - } - - [Test] - public void GivenValidRowAddsTimestampColumn() - { - var record = this.MockRepository.Create(); - record.Setup(x => x.getValue("date")).Returns(new DateTime(2014, 11, 30)); - record.Setup(x => x.getValue("time")).Returns(new DateTime(1, 1, 1, 18, 45, 37, 590)); - record.Setup(x => x.getValue("uri")).Returns("http://somedomain.com/someurl"); - - var json = this.reader.ReadToJson(record.Object); - - Assert.AreEqual("2014-11-30T18:45:37.000Z", json["@timestamp"].ToString()); - Assert.AreEqual("http://somedomain.com/someurl", json["uri"].ToString()); - } - - private Mock GetRecordsetMock() - { - var recordset = this.MockRepository.Create(); - recordset.Setup(x => x.getColumnCount()).Returns(3); - - recordset.Setup(x => x.getColumnName(0)).Returns("date"); - recordset.Setup(x => x.getColumnName(1)).Returns("time"); - recordset.Setup(x => x.getColumnName(2)).Returns("uri"); - return recordset; - } - } -} diff --git a/TimberWinR.UnitTests/TailFileTests.cs b/TimberWinR.UnitTests/TailFileTests.cs index 12a044e..89388a1 100644 --- a/TimberWinR.UnitTests/TailFileTests.cs +++ b/TimberWinR.UnitTests/TailFileTests.cs @@ -28,7 +28,7 @@ namespace TimberWinR.UnitTests var mgr = new Manager(); mgr.LogfileDir = "."; - var tf = new TailFile(); + var tf = new TailFileArguments(); var cancelTokenSource = new CancellationTokenSource(); tf.Location = "TestTailFile1.log"; diff --git a/TimberWinR.UnitTests/TestBase.cs b/TimberWinR.UnitTests/TestBase.cs deleted file mode 100644 index af6612c..0000000 --- a/TimberWinR.UnitTests/TestBase.cs +++ /dev/null @@ -1,23 +0,0 @@ -namespace TimberWinR.UnitTests -{ - using Moq; - - using NUnit.Framework; - - public class TestBase - { - public MockRepository MockRepository { get; private set; } - - [SetUp] - public virtual void Setup() - { - this.MockRepository = new MockRepository(MockBehavior.Default); - } - - [TearDown] - public virtual void TearDown() - { - this.MockRepository.VerifyAll(); - } - } -} diff --git a/TimberWinR.UnitTests/TimberWinR.UnitTests.csproj b/TimberWinR.UnitTests/TimberWinR.UnitTests.csproj index b927454..64a2aae 100644 --- a/TimberWinR.UnitTests/TimberWinR.UnitTests.csproj +++ b/TimberWinR.UnitTests/TimberWinR.UnitTests.csproj @@ -12,6 +12,8 @@ v4.0 512 + ..\ + true true @@ -38,16 +40,13 @@ False ..\TimberWinR\lib\com-logparser\Interop.MSUtil.dll - - ..\packages\Moq.4.2.1409.1722\lib\net40\Moq.dll - False - ..\packages\Newtonsoft.Json.6.0.4\lib\net40\Newtonsoft.Json.dll + ..\packages\Newtonsoft.Json.6.0.8\lib\net40\Newtonsoft.Json.dll + True - - False - ..\packages\NUnit.2.6.3\lib\nunit.framework.dll + + ..\packages\NUnit.2.6.4\lib\nunit.framework.dll @@ -62,14 +61,12 @@ - - @@ -82,6 +79,7 @@ + Designer @@ -94,7 +92,17 @@ PreserveNewest + + + + + + + This project references NuGet package(s) that are missing on this computer. Enable NuGet Package Restore to download them. For more information, see http://go.microsoft.com/fwlink/?LinkID=322105. The missing file is {0}. + + + @@ -103,6 +100,9 @@ $(SolutionDir)\TimberWinR.ExtractID\$(OutDir)\TimberWinR.ExtractID.exe $(TargetDir) $(SolutionDir)chocolateyUninstall.ps1.guid $(SolutionDir)chocolateyUninstall.ps1.template + + cmd.exe /c copy $(SolutionDir)chocolateyUninstall.ps1.template.orig $(SolutionDir)chocolateyUninstall.ps1.template + - - - If your connection has to go through proxy use this method to specify the proxy url - - - - - - Append ?pretty=true to requests, this helps to debug send and received json. - - - - - - Make sure the reponse bytes are always available on the ElasticsearchResponse object - Note: that depending on the registered serializer this may cause the respond to be read in memory first - - - - - - Semaphore asynchronous connections automatically by giving - it a maximum concurrent connections. Great to prevent - out of memory exceptions - - defaults to 20 - - - - - Global callback for every response that NEST receives, useful for custom logging. - - - - - ConnectionConfiguration allows you to control how ElasticsearchClient behaves and where/how it connects - to elasticsearch - - The root of the elasticsearch node we want to connect to. Defaults to http://localhost:9200 - - - - ConnectionConfiguration allows you to control how ElasticsearchClient behaves and where/how it connects - to elasticsearch - - A connection pool implementation that'll tell the client what nodes are available - - - - Gets the next live Uri to perform the request on - - pass the original seed when retrying, this guarantees that the nodes are walked in a - predictable manner even when called in a multithreaded context - The seed this call started on - - - - - Mark the specified Uri as dead - - - - - Bring the specified uri back to life. - - - - - - Update the node list manually, usually done by ITransport when sniffing was needed. - - - hint that the node we recieved the sniff from should not be pinged - - - - Returns the default maximum retries for the connection pool implementation. - Most implementation default to number of nodes, note that this can be overidden - in the connection settings - - - - - Signals that this implemenation can accept new nodes - - - - - Returns whether the current delegation over nodes took too long and we should quit. - if is set we'll use that timeout otherwise we default to th value of - which itself defaults to 60 seconds - - - - - Returns either the fixed maximum set on the connection configuration settings or the number of nodes - - - - - Selects next node uri on request state - - bool hint whether the new current node needs to pinged first - - - - This property returns the mapped elasticsearch server exception - - - - - The raw byte response, only set when IncludeRawResponse() is set on Connection configuration - - - - - If the response is succesful or has a known error (400-500 range) - The client should not retry this call - - - - - Raw operations with elasticsearch - - - Low level client that exposes all of elasticsearch API endpoints but leaves you in charge of building request and handling the response - - - - Represents a POST on /_bench/abort/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A benchmark name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_bench/abort/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A benchmark name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_bench/abort/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A benchmark name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_bench/abort/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A benchmark name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_bulk - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_bulk - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_bulk - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_bulk - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_bulk - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_bulk - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_bulk - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_bulk - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_bulk - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_bulk - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_bulk - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_bulk - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_bulk - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_bulk - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_bulk - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_bulk - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_bulk - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_bulk - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_bulk - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_bulk - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/_bulk - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/_bulk - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/_bulk - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/_bulk - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html - - Default index for items which don't provide one - Default document type for items which don't provide one - The operation definition and data (action-data pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/aliases - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/aliases - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/aliases - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/aliases - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/aliases/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/aliases/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/aliases/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/aliases/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/allocation - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/allocation - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/allocation - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/allocation - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/allocation/{node_id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - A comma-separated list of node IDs or names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/allocation/{node_id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - A comma-separated list of node IDs or names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/allocation/{node_id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - A comma-separated list of node IDs or names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/allocation/{node_id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html - - A comma-separated list of node IDs or names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/count/{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/count/{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/count/{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/count/{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/fielddata - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/fielddata - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/fielddata - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/fielddata - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/health - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/health - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/health - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/health - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/indices - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/indices - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/indices - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/indices - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/indices/{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/indices/{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/indices/{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/indices/{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/master - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/master - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/master - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/master - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/nodes - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/nodes - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/nodes - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/nodes - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/pending_tasks - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/pending_tasks - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/pending_tasks - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/pending_tasks - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/plugins - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/plugins - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/plugins - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/plugins - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/recovery - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/recovery - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/recovery - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/recovery - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/recovery/{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/recovery/{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/recovery/{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/recovery/{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/shards/{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/shards/{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/shards/{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/shards/{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html - - A comma-separated list of index names to limit the returned information - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/thread_pool - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/thread_pool - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cat/thread_pool - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cat/thread_pool - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_search/scroll/{scroll_id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_search/scroll/{scroll_id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_search/scroll/{scroll_id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_search/scroll/{scroll_id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_search/scroll - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_search/scroll - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_search/scroll - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_search/scroll - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - A comma-separated list of scroll IDs to clear if none was specified via the scroll_id parameter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/settings - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/settings - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/settings - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/settings - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/health - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/health - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/health - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/health - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/health/{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - Limit the information returned to a specific index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/health/{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - Limit the information returned to a specific index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/health/{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - Limit the information returned to a specific index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/health/{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html - - Limit the information returned to a specific index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/pending_tasks - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/pending_tasks - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/pending_tasks - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/pending_tasks - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_cluster/settings - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - The settings to be updated. Can be either `transient` or `persistent` (survives cluster restart). - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_cluster/settings - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - The settings to be updated. Can be either `transient` or `persistent` (survives cluster restart). - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_cluster/settings - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - The settings to be updated. Can be either `transient` or `persistent` (survives cluster restart). - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_cluster/settings - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html - - The settings to be updated. Can be either `transient` or `persistent` (survives cluster restart). - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_cluster/reroute - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html - - The definition of `commands` to perform (`move`, `cancel`, `allocate`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_cluster/reroute - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html - - The definition of `commands` to perform (`move`, `cancel`, `allocate`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_cluster/reroute - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html - - The definition of `commands` to perform (`move`, `cancel`, `allocate`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_cluster/reroute - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html - - The definition of `commands` to perform (`move`, `cancel`, `allocate`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/state - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/state - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/state - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/state - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/state/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/state/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/state/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/state/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/state/{metric}/{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/state/{metric}/{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/state/{metric}/{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/state/{metric}/{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html - - Limit the information returned to the specified metrics - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/stats - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/stats - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/stats - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/stats - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/stats/nodes/{node_id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/stats/nodes/{node_id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/stats/nodes/{node_id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/stats/nodes/{node_id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - A query to restrict the results specified with the Query DSL (optional) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html - - A comma-separated list of indices to restrict the results - A comma-separated list of types to restrict the results - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_percolate/count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_percolate/count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_percolate/count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_percolate/count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_percolate/count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_percolate/count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_percolate/count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_percolate/count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_percolate/count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_percolate/count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_percolate/count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_percolate/count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_percolate/count - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_percolate/count - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_percolate/count - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_percolate/count - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated. - The type of the document being count percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The count percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/{type}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/{type}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/_query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/_query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/_query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/_query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/{type}/_query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of types to restrict the operation - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/{type}/_query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of types to restrict the operation - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/{type}/_query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of types to restrict the operation - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/{type}/_query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html - - A comma-separated list of indices to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of types to restrict the operation - A query to restrict the operation specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_scripts/{lang}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_scripts/{lang}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_search/template/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_search/template/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/{type}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/{type}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_explain - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_explain - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_explain - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_explain - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_explain - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - The query definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_explain - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - The query definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_explain - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - The query definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_explain - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html - - The name of the index - The type of the document - The document ID - The query definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_scripts/{lang}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_scripts/{lang}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_source - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document; use `_all` to fetch the first document matching the ID across all types - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_source - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document; use `_all` to fetch the first document matching the ID across all types - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_source - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document; use `_all` to fetch the first document matching the ID across all types - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_source - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html - - The name of the index - The type of the document; use `_all` to fetch the first document matching the ID across all types - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/template/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/template/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html - - The name of the index - The type of the document - Document ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_analyze - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_analyze - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_analyze - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_analyze - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_analyze - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_analyze - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_analyze - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_analyze - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_analyze - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_analyze - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_analyze - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_analyze - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_analyze - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_analyze - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_analyze - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_analyze - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html - - The name of the index to scope the operation - The text on which the analysis should be performed - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_cache/clear - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_cache/clear - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_cache/clear - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_cache/clear - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_cache/clear - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_cache/clear - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_cache/clear - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_cache/clear - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cache/clear - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cache/clear - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cache/clear - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cache/clear - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_cache/clear - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_cache/clear - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_cache/clear - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_cache/clear - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html - - A comma-separated list of index name to limit the operation - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_close - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_close - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_close - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_close - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html - - The name of the index - The configuration for the index (`settings` and `mappings`) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html - - A comma-separated list of indices to delete; use `_all` or `*` string to delete all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html - - A comma-separated list of indices to delete; use `_all` or `*` string to delete all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html - - A comma-separated list of indices to delete; use `_all` or `*` string to delete all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html - - A comma-separated list of indices to delete; use `_all` or `*` string to delete all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of aliases to delete (supports wildcards); use `_all` to delete all aliases for the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of aliases to delete (supports wildcards); use `_all` to delete all aliases for the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of aliases to delete (supports wildcards); use `_all` to delete all aliases for the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of aliases to delete (supports wildcards); use `_all` to delete all aliases for the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/{type}/_mapping - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of document types to delete (supports wildcards); use `_all` to delete all document types in the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/{type}/_mapping - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of document types to delete (supports wildcards); use `_all` to delete all document types in the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/{type}/_mapping - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of document types to delete (supports wildcards); use `_all` to delete all document types in the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/{type}/_mapping - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html - - A comma-separated list of index names (supports wildcards); use `_all` for all indices - A comma-separated list of document types to delete (supports wildcards); use `_all` to delete all document types in the specified indices. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_template/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_template/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_template/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_template/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to delete warmers from (supports wildcards); use `_all` to perform the operation on all indices. - A comma-separated list of warmer names to delete (supports wildcards); use `_all` to delete all warmers in the specified indices. You must specify a name either in the uri or in the parameters. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to delete warmers from (supports wildcards); use `_all` to perform the operation on all indices. - A comma-separated list of warmer names to delete (supports wildcards); use `_all` to delete all warmers in the specified indices. You must specify a name either in the uri or in the parameters. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to delete warmers from (supports wildcards); use `_all` to perform the operation on all indices. - A comma-separated list of warmer names to delete (supports wildcards); use `_all` to delete all warmers in the specified indices. You must specify a name either in the uri or in the parameters. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /{index}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to delete warmers from (supports wildcards); use `_all` to perform the operation on all indices. - A comma-separated list of warmer names to delete (supports wildcards); use `_all` to delete all warmers in the specified indices. You must specify a name either in the uri or in the parameters. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html - - A comma-separated list of indices to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html - - A comma-separated list of indices to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html - - A comma-separated list of indices to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html - - A comma-separated list of indices to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/_alias - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/_alias - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/_alias - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/_alias - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /_template/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /_template/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /_template/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /_template/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-types-exists.html - - A comma-separated list of index names; use `_all` to check the types across all indices - A comma-separated list of document types to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-types-exists.html - - A comma-separated list of index names; use `_all` to check the types across all indices - A comma-separated list of document types to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on /{index}/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-types-exists.html - - A comma-separated list of index names; use `_all` to check the types across all indices - A comma-separated list of document types to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on /{index}/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-types-exists.html - - A comma-separated list of index names; use `_all` to check the types across all indices - A comma-separated list of document types to check - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_flush - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_flush - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_flush - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_flush - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_flush - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_flush - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_flush - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_flush - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_flush - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_flush - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_flush - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_flush - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_flush - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_flush - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_flush - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_flush - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html - - A comma-separated list of index names; use `_all` or empty string for all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_alias - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_alias - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_alias - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_alias - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to return - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_alias - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_alias - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_alias - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_alias - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_aliases - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_aliases - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_aliases - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_aliases - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_aliases - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_aliases - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_aliases - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_aliases - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_aliases/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_aliases/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_aliases/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_aliases/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names to filter aliases - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_aliases/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_aliases/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_aliases/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_aliases/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of alias names to filter - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping/field/{field} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping/field/{field} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping/field/{field} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping/field/{field} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping/field/{field} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping/field/{field} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping/field/{field} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping/field/{field} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping/{type}/field/{field} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping/{type}/field/{field} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping/{type}/field/{field} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping/{type}/field/{field} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping/{type}/field/{field} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping/{type}/field/{field} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping/{type}/field/{field} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping/{type}/field/{field} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - A comma-separated list of fields - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mapping/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mapping/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mapping/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mapping/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names - A comma-separated list of document types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_settings - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_settings - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_settings - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_settings - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_settings - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_settings - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_settings - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_settings - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_settings/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_settings/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_settings/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_settings/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_settings/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_settings/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_settings/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_settings/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html - - The name of the settings that should be included - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_template/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_template/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_template/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_template/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_warmer - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_warmer - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_warmer - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_warmer - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_warmer - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_warmer - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_warmer - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_warmer - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to restrict the operation; use `_all` to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The name of the warmer (supports wildcards); leave empty to get all warmers - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_open - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_open - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_open - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_open - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_optimize - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_optimize - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_optimize - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_optimize - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_optimize - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_optimize - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_optimize - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_optimize - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_optimize - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_optimize - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_optimize - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_optimize - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_optimize - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_optimize - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_optimize - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_optimize - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - A comma-separated list of index names the alias should point to (supports wildcards); use `_all` or omit to perform the operation on all indices. - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_alias/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_alias/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_alias/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The name of the alias to be created or updated - The settings for the alias, such as `routing` or `filter` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/_mapping - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/_mapping - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/_mapping - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/_mapping - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_mapping/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_mapping/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_mapping/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_mapping/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mapping - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mapping - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mapping - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mapping - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - A comma-separated list of index names the mapping should be added to (supports wildcards); use `_all` or omit to add the mapping on all indices. - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mapping/{type} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mapping/{type} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mapping/{type} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mapping/{type} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html - - The name of the document type - The mapping definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_settings - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_settings - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_settings - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_settings - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_settings - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_settings - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_settings - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_settings - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The index settings to be updated - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_template/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_template/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_template/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_template/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_template/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_template/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_template/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_template/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html - - The name of the template - The template definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /{index}/{type}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /{index}/{type}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_warmer/{name} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_warmer/{name} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_warmer/{name} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html - - A comma-separated list of index names to register the warmer for; use `_all` or omit to perform the operation on all indices - A comma-separated list of document types to register the warmer for; leave empty to perform the operation on all types - The name of the warmer - The search request definition for the warmer (query, filters, facets, sorting, etc) - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_recovery - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_recovery - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_recovery - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_recovery - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_recovery - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_recovery - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_recovery - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_recovery - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_refresh - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_refresh - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_refresh - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_refresh - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_refresh - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_refresh - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_refresh - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_refresh - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_refresh - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_refresh - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_refresh - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_refresh - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_refresh - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_refresh - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_refresh - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_refresh - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_segments - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_segments - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_segments - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_segments - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_segments - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_segments - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_segments - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_segments - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_stats - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_stats - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_stats - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_stats - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_stats/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_stats/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_stats/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_stats/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_stats - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_stats - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_stats - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_stats - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_stats/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_stats/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_stats/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_stats/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - Limit the information returned the specific metrics. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_status - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_status - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_status - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_status - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_status - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_status - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_status - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_status - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_aliases - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The definition of `actions` to perform - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_aliases - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The definition of `actions` to perform - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_aliases - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The definition of `actions` to perform - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_aliases - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html - - The definition of `actions` to perform - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_validate/query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_validate/query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_validate/query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_validate/query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_validate/query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_validate/query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_validate/query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_validate/query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_validate/query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_validate/query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_validate/query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_validate/query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_validate/query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_validate/query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_validate/query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_validate/query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_validate/query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_validate/query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_validate/query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_validate/query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_validate/query - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_validate/query - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_validate/query - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_validate/query - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to restrict the operation; leave empty to perform the operation on all types - The query definition specified with the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on / - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on / - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on / - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on / - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_bench - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_bench - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_bench - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_bench - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_bench - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_bench - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_bench - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_bench - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_bench - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the document type - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_bench - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the document type - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_bench - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the document type - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_bench - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html - - A comma-separated list of index names; use `_all` or empty string to perform the operation on all indices - The name of the document type - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mget - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mget - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mget - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mget - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mget - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mget - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mget - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mget - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_mget - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_mget - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_mget - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_mget - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mget - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mget - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mget - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mget - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_mget - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_mget - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_mget - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_mget - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mget - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mget - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mget - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mget - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html - - The name of the index - The type of the document - Document identifiers; can be either `docs` (containing full document information) or `ids` (when index and type is provided in the URL. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_mlt - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_mlt - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_mlt - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_mlt - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_mlt - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - A specific search request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_mlt - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - A specific search request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_mlt - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - A specific search request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_mlt - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html - - The name of the index - The type of the document (use `_all` to fetch the first document matching the ID across all types) - The document ID - A specific search request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mpercolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mpercolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mpercolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mpercolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mpercolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mpercolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mpercolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mpercolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_mpercolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_mpercolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_mpercolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_mpercolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mpercolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mpercolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mpercolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mpercolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_mpercolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_mpercolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_mpercolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_mpercolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mpercolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mpercolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mpercolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mpercolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being count percolated to use as default - The type of the document being percolated to use as default. - The percolate request definitions (header & body pair), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_msearch - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_msearch - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_msearch - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_msearch - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_msearch - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_msearch - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_msearch - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_msearch - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_msearch - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_msearch - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_msearch - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_msearch - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_msearch - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_msearch - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_msearch - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_msearch - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_msearch - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_msearch - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_msearch - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_msearch - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_msearch - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_msearch - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_msearch - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_msearch - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html - - A comma-separated list of index names to use as default - A comma-separated list of document types to use as default - The request definitions (metadata-search request definition pairs), separated by newlines - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mtermvectors - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mtermvectors - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_mtermvectors - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_mtermvectors - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mtermvectors - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_mtermvectors - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_mtermvectors - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_mtermvectors - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mtermvectors - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mtermvectors - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_mtermvectors - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_mtermvectors - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_mtermvectors - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_mtermvectors - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mtermvectors - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_mtermvectors - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_mtermvectors - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html - - The index in which the document resides. - The type of the document. - Define ids, parameters or a list of parameters per document here. You must at least provide a list of document ids. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/nodes/hotthreads - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/nodes/hotthreads - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/nodes/hotthreads - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/nodes/hotthreads - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/nodes/{node_id}/hotthreads - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/nodes/{node_id}/hotthreads - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_cluster/nodes/{node_id}/hotthreads - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_cluster/nodes/{node_id}/hotthreads - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - A comma-separated list of metrics you wish returned. Leave empty to return all. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_shutdown - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_shutdown - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_shutdown - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_shutdown - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_cluster/nodes/{node_id}/_shutdown - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - A comma-separated list of node IDs or names to perform the operation on; use `_local` to perform the operation on the node you're connected to, leave empty to perform the operation on all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_cluster/nodes/{node_id}/_shutdown - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - A comma-separated list of node IDs or names to perform the operation on; use `_local` to perform the operation on the node you're connected to, leave empty to perform the operation on all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_cluster/nodes/{node_id}/_shutdown - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - A comma-separated list of node IDs or names to perform the operation on; use `_local` to perform the operation on the node you're connected to, leave empty to perform the operation on all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_cluster/nodes/{node_id}/_shutdown - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html - - A comma-separated list of node IDs or names to perform the operation on; use `_local` to perform the operation on the node you're connected to, leave empty to perform the operation on all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/stats - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/stats - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/stats - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/stats - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/stats - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/stats - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/stats - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/stats - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/stats/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/stats/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/stats/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/stats/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/stats/{metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/stats/{metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/stats/{metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/stats/{metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/stats/{metric}/{index_metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/stats/{metric}/{index_metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/stats/{metric}/{index_metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/stats/{metric}/{index_metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/stats/{metric}/{index_metric} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/stats/{metric}/{index_metric} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_nodes/{node_id}/stats/{metric}/{index_metric} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_nodes/{node_id}/stats/{metric}/{index_metric} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html - - A comma-separated list of node IDs or names to limit the returned information; use `_local` to return information from the node you're connecting to, leave empty to get information from all nodes - Limit the information returned to the specified metrics - Limit the information returned for `indices` metric to the specific index metrics. Isn't used if `indices` (or `all`) metric isn't specified. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_percolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_percolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_percolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_percolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_percolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_percolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_percolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_percolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_percolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_percolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_percolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_percolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_percolate - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_percolate - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_percolate - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_percolate - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html - - The index of the document being percolated. - The type of the document being percolated. - Substitute the document in the request body with a document that is known by the specified id. On top of the id, the index and type parameter will be used to retrieve the document from within the cluster. - The percolator request definition using the percolate DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on / - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on / - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a HEAD on / - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a HEAD on / - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/ - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_scripts/{lang}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_scripts/{lang}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_scripts/{lang}/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_scripts/{lang}/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_scripts/{lang}/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html - - Script language - Script ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_search/template/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_search/template/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/template/{id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/template/{id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/template/{id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html - - Template ID - The document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/scroll - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/scroll - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/scroll - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/scroll - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/scroll/{scroll_id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/scroll/{scroll_id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/scroll/{scroll_id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/scroll/{scroll_id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/scroll - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/scroll - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/scroll - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/scroll - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/scroll/{scroll_id} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/scroll/{scroll_id} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/scroll/{scroll_id} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/scroll/{scroll_id} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html - - The scroll ID - The scroll ID if not passed by URL or query parameter. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_search - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_search - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_search - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_search - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_search - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_search - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_search - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_search - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_search - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_search - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_search - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_search - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_search - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_search - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_search - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_search - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition using the Query DSL - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search_shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search_shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search_shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search_shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_search_shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_search_shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_search_shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_search_shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_search_shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_search_shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_search_shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_search_shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search_shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search_shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search_shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search_shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_search_shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_search_shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_search_shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_search_shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_search_shards - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_search_shards - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_search_shards - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_search_shards - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html - - The name of the index - The type of the document - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_search/template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_search/template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_search/template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_search/template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_search/template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_search/template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_search/template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_search/template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/_search/template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/_search/template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_search/template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_search/template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_search/template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_search/template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_search/template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_search/template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_search/template - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_search/template - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/_search/template - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/_search/template - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html - - A comma-separated list of index names to search; use `_all` or empty string to perform the operation on all indices - A comma-separated list of document types to search; leave empty to perform the operation on all types - The search definition template and its params - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_snapshot/{repository}/{snapshot} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_snapshot/{repository}/{snapshot} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_snapshot/{repository}/{snapshot} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_snapshot/{repository}/{snapshot} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - The snapshot definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_snapshot/{repository} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a PUT on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a PUT on /_snapshot/{repository} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_snapshot/{repository} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_snapshot/{repository} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - The repository definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_snapshot/{repository}/{snapshot} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_snapshot/{repository}/{snapshot} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_snapshot/{repository} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a DELETE on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a DELETE on /_snapshot/{repository} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository}/{snapshot} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository}/{snapshot} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository}/{snapshot} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository} - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository} - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository} - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A comma-separated list of repository names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_snapshot/{repository}/{snapshot}/_restore - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - Details of what to restore - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_snapshot/{repository}/{snapshot}/_restore - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - Details of what to restore - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_snapshot/{repository}/{snapshot}/_restore - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - Details of what to restore - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_snapshot/{repository}/{snapshot}/_restore - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html - - A repository name - A snapshot name - Details of what to restore - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/_status - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/_status - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/_status - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/_status - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository}/_status - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository}/_status - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository}/_status - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository}/_status - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository}/{snapshot}/_status - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository}/{snapshot}/_status - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_snapshot/{repository}/{snapshot}/_status - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_snapshot/{repository}/{snapshot}/_status - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html - - A repository name - A comma-separated list of snapshot names - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_suggest - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_suggest - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /_suggest - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /_suggest - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_suggest - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_suggest - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/_suggest - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/_suggest - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - The request definition - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_suggest - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_suggest - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /_suggest - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /_suggest - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_suggest - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_suggest - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/_suggest - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/_suggest - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html - - A comma-separated list of index names to restrict the operation; use `_all` or empty string to perform the operation on all indices - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_termvector - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_termvector - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a GET on /{index}/{type}/{id}/_termvector - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a GET on /{index}/{type}/{id}/_termvector - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_termvector - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - Define parameters. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_termvector - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - Define parameters. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_termvector - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - Define parameters. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_termvector - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html - - The index in which the document resides. - The type of the document. - The id of the document. - Define parameters. See documentation. - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_update - Returns: ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html - - The name of the index - The type of the document - Document ID - The request definition using either `script` or partial `doc` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_update - Returns: A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html - - The name of the index - The type of the document - Document ID - The request definition using either `script` or partial `doc` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - A task that'll return an ElasticsearchResponse<T> holding the reponse body deserialized as T. - - If T is of type byte[] deserialization will be shortcircuited - - If T is of type VoidResponse the response stream will be ignored completely - - - - Represents a POST on /{index}/{type}/{id}/_update - Returns: ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html - - The name of the index - The type of the document - Document ID - The request definition using either `script` or partial `doc` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - ElasticsearchResponse<T> holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - Represents a POST on /{index}/{type}/{id}/_update - Returns: Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - See also: http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html - - The name of the index - The type of the document - Document ID - The request definition using either `script` or partial `doc` - - Optional function to specify any additional request parameters - Querystring values, connection configuration specific to this request, deserialization state. - - Task that'll return an ElasticsearchResponse<T$gt; holding the response body deserialized as DynamicDictionary - - Dynamic dictionary is a special dynamic type that allows json to be traversed safely - - i.e result.Response.hits.hits[0].property.nested["nested_deeper"] - - can be safely dispatched to a nullable type even if intermediate properties do not exist - - - - - Instantiate a new low level elasticsearch client - - Specify how and where the client connects to elasticsearch, defaults to a static single node connectionpool - to http://localhost:9200 - - Provide an alternative connection handler - Provide a custom transport implementation that coordinates between IConnectionPool, IConnection and ISerializer - Provide a custom serializer - - - - Perform any request you want over the configured IConnection synchronously while taking advantage of the cluster failover. - - The type representing the response JSON - the HTTP Method to use - The path of the the url that you would like to hit - The body of the request, string and byte[] are posted as is other types will be serialized to JSON - Optionally configure request specific timeouts, headers - An ElasticsearchResponse of T where T represents the JSON response body - - - - Perform any request you want over the configured IConnection asynchronously while taking advantage of the cluster failover. - - The type representing the response JSON - the HTTP Method to use - The path of the the url that you would like to hit - The body of the request, string and byte[] are posted as is other types will be serialized to JSON - Optionally configure request specific timeouts, headers - A task of ElasticsearchResponse of T where T represents the JSON response body - - - - A dictionary that supports dynamic access. - - - - - Creates a dynamic dictionary from an instance. - - An instance, that the dynamic dictionary should be created from. - An instance. - - - - Provides the implementation for operations that set member values. Classes derived from the class can override this method to specify dynamic behavior for operations such as setting a value for a property. - - true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.) - Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member to which the value is being assigned. For example, for the statement sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.The value to set to the member. For example, for sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the class, the is "Test". - - - - Provides the implementation for operations that get member values. Classes derived from the class can override this method to specify dynamic behavior for operations such as getting a value for a property. - - true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a run-time exception is thrown.) - Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member on which the dynamic operation is performed. For example, for the Console.WriteLine(sampleObject.SampleProperty) statement, where sampleObject is an instance of the class derived from the class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive.The result of the get operation. For example, if the method is called for a property, you can assign the property value to . - - - - Returns the enumeration of all dynamic member names. - - A that contains dynamic member names. - - - - Returns the enumeration of all dynamic member names. - - A that contains dynamic member names. - - - - Returns the enumeration of all dynamic member names. - - A that contains dynamic member names. - - - - Indicates whether the current is equal to another object of the same type. - - if the current instance is equal to the parameter; otherwise, . - An instance to compare with this instance. - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - if the specified is equal to this instance; otherwise, . - - - - Returns an enumerator that iterates through the collection. - - A that can be used to iterate through the collection. - - - - Returns a hash code for this . - - A hash code for this , suitable for use in hashing algorithms and data structures like a hash table. - - - - Adds an element with the provided key and value to the . - - The object to use as the key of the element to add. - The object to use as the value of the element to add. - - - - Adds an item to the . - - The object to add to the . - - - - Determines whether the contains an element with the specified key. - - if the contains an element with the key; otherwise, . - - The key to locate in the . - - - - Gets the value associated with the specified key. - - if the contains an element with the specified key; otherwise, . - The key whose value to get. - When this method returns, the value associated with the specified key, if the key is found; otherwise, the default value for the type of the parameter. This parameter is passed uninitialized. - - - - Removes all items from the . - - - - - Determines whether the contains a specific value. - - if is found in the ; otherwise, . - - The object to locate in the . - - - - Copies the elements of the to an , starting at a particular index. - - The one-dimensional that is the destination of the elements copied from the . The must have zero-based indexing. - The zero-based index in at which copying begins. - - - - Removes the element with the specified key from the . - - if the element is successfully removed; otherwise, . - The key of the element to remove. - - - - Removes the first occurrence of a specific object from the . - - if was successfully removed from the ; otherwise, . - The object to remove from the . - - - - Returns an empty dynamic dictionary. - - A instance. - - - - Gets or sets the with the specified name. - - A instance containing a value. - - - - Gets an containing the keys of the . - - An containing the keys of the . - - - - Gets the number of elements contained in the . - - The number of elements contained in the . - - - - Gets a value indicating whether the is read-only. - - Always returns . - - - - Gets an containing the values in the . - - An containing the values in the . - - - - Initializes a new instance of the class. - - The value to store in the instance - - - - Returns a default value if Value is null - - When no default value is supplied, required to supply the default type - Optional parameter for default value, if not given it returns default of type T - If value is not null, value is returned, else default value is returned - - - - Attempts to convert the value to type of T, failing to do so will return the defaultValue. - - When no default value is supplied, required to supply the default type - Optional parameter for default value, if not given it returns default of type T - If value is not null, value is returned, else default value is returned - - - - Indicates whether the current object is equal to another object of the same type. - - true if the current object is equal to the parameter; otherwise, false. - - An to compare with this instance. - - - - Determines whether the specified is equal to the current . - - true if the specified is equal to the current ; otherwise, false. - The to compare with the current . - - - - Serves as a hash function for a particular type. - - A hash code for the current instance. - - - - Provides implementation for binary operations. Classes derived from the class can override this method to specify dynamic behavior for operations such as addition and multiplication. - - true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.) - Provides information about the binary operation. The binder.Operation property returns an object. For example, for the sum = first + second statement, where first and second are derived from the DynamicObject class, binder.Operation returns ExpressionType.Add.The right operand for the binary operation. For example, for the sum = first + second statement, where first and second are derived from the DynamicObject class, is equal to second.The result of the binary operation. - - - - Provides implementation for type conversion operations. Classes derived from the class can override this method to specify dynamic behavior for operations that convert an object from one type to another. - - true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.) - Provides information about the conversion operation. The binder.Type property provides the type to which the object must be converted. For example, for the statement (String)sampleObject in C# (CType(sampleObject, Type) in Visual Basic), where sampleObject is an instance of the class derived from the class, binder.Type returns the type. The binder.Explicit property provides information about the kind of conversion that occurs. It returns true for explicit conversion and false for implicit conversion.The result of the type conversion operation. - - - - Returns the for this instance. - - - The enumerated constant that is the of the class or value type that implements this interface. - - 2 - - - - Converts the value of this instance to an equivalent Boolean value using the specified culture-specific formatting information. - - - A Boolean value equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent Unicode character using the specified culture-specific formatting information. - - - A Unicode character equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 8-bit signed integer using the specified culture-specific formatting information. - - - An 8-bit signed integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 8-bit unsigned integer using the specified culture-specific formatting information. - - - An 8-bit unsigned integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 16-bit signed integer using the specified culture-specific formatting information. - - - An 16-bit signed integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 16-bit unsigned integer using the specified culture-specific formatting information. - - - An 16-bit unsigned integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 32-bit signed integer using the specified culture-specific formatting information. - - - An 32-bit signed integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 32-bit unsigned integer using the specified culture-specific formatting information. - - - An 32-bit unsigned integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 64-bit signed integer using the specified culture-specific formatting information. - - - An 64-bit signed integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent 64-bit unsigned integer using the specified culture-specific formatting information. - - - An 64-bit unsigned integer equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent single-precision floating-point number using the specified culture-specific formatting information. - - - A single-precision floating-point number equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent double-precision floating-point number using the specified culture-specific formatting information. - - - A double-precision floating-point number equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent number using the specified culture-specific formatting information. - - - A number equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent using the specified culture-specific formatting information. - - - A instance equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an equivalent using the specified culture-specific formatting information. - - - A instance equivalent to the value of this instance. - - An interface implementation that supplies culture-specific formatting information. 2 - - - - Converts the value of this instance to an of the specified that has an equivalent value, using the specified culture-specific formatting information. - - - An instance of type whose value is equivalent to the value of this instance. - - The to which the value of this instance is converted. An interface implementation that supplies culture-specific formatting information. 2 - - - - Gets a value indicating whether this instance has value. - - true if this instance has value; otherwise, false. - is considered as not being a value. - - - - Gets the inner value - - - - - Thrown when a request has depleeded its max retry setting - - - - - Thrown when a sniff operation itself caused a maxrety exception - - - - - Thrown when a ping operation itself caused a maxrety exception - - - - Request parameters descriptor for AbortBenchmark -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html
-            
-
-
- - Request parameters descriptor for Bulk -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html
-            
-
-
- - Explicit write consistency setting for the operation - - - Refresh the index after performing the operation - - - Explicitely set the replication type - - - Specific routing value - - - Explicit operation timeout - - - Default document type for items which don't provide one - - - Request parameters descriptor for CatAliases -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatAllocation -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatCount -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatFielddata -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - A comma-separated list of fields to return the fielddata size - - - Request parameters descriptor for CatHealth -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Set to false to disable timestamping - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatHelp -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html
-            
-
-
- - Return help information - - - Request parameters descriptor for CatIndices -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Set to true to return stats only for primary shards - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatMaster -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatNodes -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatPendingTasks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatPlugins -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatRecovery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html
-            
-
-
- - The unit in which to display byte values - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatShards -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters descriptor for CatThreadPool -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Enables displaying the complete node ids - - - Request parameters descriptor for ClearScroll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html
-            
-
-
- - Request parameters descriptor for ClusterGetSettings -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html
-            
-
-
- - Return settings in flat format (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters descriptor for ClusterHealth -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html
-            
-
-
- - Specify the level of detail for returned information - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Wait until the specified number of shards is active - - - Wait until the specified number of nodes is available - - - Wait until the specified number of relocating shards is finished - - - Wait until cluster is in a specific state - - - Request parameters descriptor for ClusterPendingTasks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Specify timeout for connection to master - - - Request parameters descriptor for ClusterPutSettings -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html
-            
-
-
- - Return settings in flat format (default: false) - - - Request parameters descriptor for ClusterReroute -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html
-            
-
-
- - Simulate the operation only and return the resulting state - - - Return an explanation of why the commands can or cannot be executed - - - Don't return cluster state metadata (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters descriptor for ClusterState -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Specify timeout for connection to master - - - Return settings in flat format (default: false) - - - Request parameters descriptor for ClusterStats -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html
-            
-
-
- - Return settings in flat format (default: false) - - - Whether to return time and byte values in human-readable format. - - - Request parameters descriptor for Count -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Include only documents with a specific `_score` value in the result - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Request parameters descriptor for CountPercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - A comma-separated list of specific routing values - - - Specify the node or shard the operation should be performed on (default: random) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The index to count percolate the document into. Defaults to index. - - - The type to count percolate document into. Defaults to type. - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters descriptor for Delete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html
-            
-
-
- - Specific write consistency setting for the operation - - - ID of parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters descriptor for DeleteByQuery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html
-            
-
-
- - The analyzer to use for the query string - - - Specific write consistency setting for the operation - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specific replication type - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Explicit operation timeout - - - Request parameters descriptor for DeleteScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - Request parameters descriptor for DeleteTemplate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html
-            
-
-
- - Request parameters descriptor for Exists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - Request parameters descriptor for ExplainGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html
-            
-
-
- - Specify whether wildcards and prefix queries in the query string query should be analyzed (default: false) - - - The analyzer for the query string query - - - The default operator for query string query (AND or OR) - - - The default field for query string query (default: _all) - - - A comma-separated list of fields to return in the response - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Request parameters descriptor for Get -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters descriptor for GetScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - Request parameters descriptor for GetSource -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters descriptor for GetTemplate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html
-            
-
-
- - Request parameters descriptor for Index -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html
-            
-
-
- - Explicit write consistency setting for the operation - - - Explicit operation type - - - ID of the parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit timestamp for the document - - - Expiration time for the document - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters descriptor for IndicesAnalyzeGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html
-            
-
-
- - The name of the analyzer to use - - - A comma-separated list of character filters to use for the analysis - - - Use the analyzer configured for this field (instead of passing the analyzer name) - - - A comma-separated list of filters to use for the analysis - - - The name of the index to scope the operation - - - With `true`, specify that a local shard should be used if available, with `false`, use a random shard (default: true) - - - The text on which the analysis should be performed (when request body is not used) - - - The name of the tokenizer to use for the analysis - - - Format of the output - - - Request parameters descriptor for IndicesClearCacheForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html
-            
-
-
- - Clear field data - - - A comma-separated list of fields to clear when using the `field_data` parameter (default: all) - - - Clear filter caches - - - Clear filter caches - - - A comma-separated list of keys to clear when using the `filter_cache` parameter (default: all) - - - Clear ID caches for parent/child - - - Clear ID caches for parent/child - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - A comma-separated list of index name to limit the operation - - - Clear the recycler cache - - - Request parameters descriptor for IndicesClose -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters descriptor for IndicesCreate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Request parameters descriptor for IndicesDelete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Request parameters descriptor for IndicesDeleteMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html
-            
-
-
- - Specify timeout for connection to master - - - Request parameters descriptor for IndicesDeleteWarmer -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Specify timeout for connection to master - - - Request parameters descriptor for IndicesExists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for IndicesFlushForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html
-            
-
-
- - Whether a flush should be forced even if it is not necessarily needed ie. if no changes will be committed to the index. This is useful if transaction log IDs should be incremented even if no uncommitted changes are present. (This setting can be considered as internal) - - - If set to true a new index writer is created and settings that have been changed related to the index writer will be refreshed. Note: if a full flush is required for a setting to take effect this will be part of the settings update process and it not required to be executed by the user. (This setting can be considered as internal) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters descriptor for IndicesGetAliasForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for IndicesGetAliasesForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Explicit operation timeout - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for IndicesGetMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for IndicesGetSettingsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return settings in flat format (default: false) - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for IndicesGetWarmerForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for IndicesOpen -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters descriptor for IndicesOptimizeForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html
-            
-
-
- - Specify whether the index should be flushed after performing the operation (default: true) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The number of segments the index should be merged into (default: dynamic) - - - Specify whether the operation should only expunge deleted documents - - - TODO: ? - - - Specify whether the request should block until the merge process is finished (default: true) - - - Force a merge operation to run, even if there is a single segment in the index (default: false) - - - Request parameters descriptor for IndicesPutMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html
-            
-
-
- - Specify whether to ignore conflicts while updating the mapping (default: false) - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters descriptor for IndicesPutSettingsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html
-            
-
-
- - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return settings in flat format (default: false) - - - Request parameters descriptor for IndicesPutTemplateForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html
-            
-
-
- - Whether the index template should only be added if new or can also replace an existing one - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Return settings in flat format (default: false) - - - Request parameters descriptor for IndicesPutWarmerForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) in the search request to warm - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices in the search request to warm. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both, in the search request to warm. - - - Request parameters descriptor for IndicesRefreshForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Force a refresh even if not required - - - TODO: ? - - - Request parameters descriptor for IndicesSegmentsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Whether to return time and byte values in human-readable format. - - - TODO: ? - - - Request parameters descriptor for IndicesStatsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html
-            
-
-
- - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of search groups for `search` index metric - - - Whether to return time and byte values in human-readable format. - - - Return stats aggregated at cluster, index or shard level - - - Request parameters descriptor for IndicesStatusForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Whether to return time and byte values in human-readable format. - - - TODO: ? - - - Return information about shard recovery - - - TODO: ? - - - Request parameters descriptor for IndicesUpdateAliasesForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Request timeout - - - Specify timeout for connection to master - - - Request parameters descriptor for IndicesValidateQueryGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html
-            
-
-
- - Return detailed information about the error - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - TODO: ? - - - The URL-encoded query definition (instead of using the request body) - - - Query in the Lucene query string syntax - - - Request parameters descriptor for Info -
-            http://www.elasticsearch.org/guide/
-            
-
-
- - Request parameters descriptor for ListBenchmarks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html
-            
-
-
- - Request parameters descriptor for MgetGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Request parameters descriptor for MltGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html
-            
-
-
- - The boost factor - - - The word occurrence frequency as count: words with higher occurrence in the corpus will be ignored - - - The maximum query terms to be included in the generated query - - - The minimum length of the word: longer words will be ignored - - - The word occurrence frequency as count: words with lower occurrence in the corpus will be ignored - - - The term frequency as percent: terms with lower occurence in the source document will be ignored - - - The minimum length of the word: shorter words will be ignored - - - Specific fields to perform the query against - - - How many terms have to match in order to consider the document a match (default: 0.3) - - - Specific routing value - - - The offset from which to return results - - - A comma-separated list of indices to perform the query against (default: the index containing the document) - - - The search query hint - - - A scroll search request definition - - - The number of documents to return (default: 10) - - - A specific search request definition (instead of using the request body) - - - Specific search type (eg. `dfs_then_fetch`, `count`, etc) - - - A comma-separated list of types to perform the query against (default: the same type as the document) - - - A list of stop words to be ignored - - - Request parameters descriptor for MsearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html
-            
-
-
- - Search operation type - - - Request parameters descriptor for MtermvectorsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html
-            
-
-
- - Specifies if total term frequency and document frequency should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - A comma-separated list of fields to return. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term offsets should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term positions should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term payloads should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specify the node or shard the operation should be performed on (default: random) .Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specific routing value. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Parent id of documents. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Request parameters descriptor for NodesHotThreadsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html
-            
-
-
- - The interval for the second sampling of threads - - - Number of samples of thread stacktrace (default: 10) - - - Specify the number of threads to provide information for (default: 3) - - - The type to sample (default: cpu) - - - Request parameters descriptor for NodesInfoForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html
-            
-
-
- - Return settings in flat format (default: false) - - - Whether to return time and byte values in human-readable format. - - - Request parameters descriptor for NodesShutdownForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html
-            
-
-
- - Set the delay for the operation (default: 1s) - - - Exit the JVM as well (default: true) - - - Request parameters descriptor for NodesStatsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html
-            
-
-
- - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of search groups for `search` index metric - - - Whether to return time and byte values in human-readable format. - - - Return indices stats aggregated at node, index or shard level - - - A comma-separated list of document types for the `indexing` index metric - - - Request parameters descriptor for PercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - A comma-separated list of specific routing values - - - Specify the node or shard the operation should be performed on (default: random) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The index to percolate the document into. Defaults to index. - - - The type to percolate document into. Defaults to type. - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters descriptor for Ping -
-            http://www.elasticsearch.org/guide/
-            
-
-
- - Request parameters descriptor for PutScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - Request parameters descriptor for ScrollGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html
-            
-
-
- - Request parameters descriptor for SearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
-
- - The analyzer to use for the query string - - - Specify whether wildcard and prefix queries should be analyzed (default: false) - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - Specific 'tag' of the request for logging and statistical purposes - - - Specify which field to use for suggestions - - - Specify suggest mode - - - How many suggestions to return in response - - - The source text for which the suggestions should be returned - - - Request parameters descriptor for SearchShardsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html
-            
-
-
- - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - Return local information, do not retrieve the state from master node (default: false) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters descriptor for SearchTemplateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - Request parameters descriptor for SnapshotCreate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Should this request wait until the operation has completed before returning - - - Request parameters descriptor for SnapshotCreateRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters descriptor for SnapshotDelete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Request parameters descriptor for SnapshotDeleteRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters descriptor for SnapshotGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Request parameters descriptor for SnapshotGetRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters descriptor for SnapshotRestore -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Should this request wait until the operation has completed before returning - - - Request parameters descriptor for SnapshotStatus -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Request parameters descriptor for Suggest -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded request definition (instead of using request body) - - - Request parameters descriptor for TermvectorGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html
-            
-
-
- - Specifies if total term frequency and document frequency should be returned. - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. - - - A comma-separated list of fields to return. - - - Specifies if term offsets should be returned. - - - Specifies if term positions should be returned. - - - Specifies if term payloads should be returned. - - - Specify the node or shard the operation should be performed on (default: random). - - - Specific routing value. - - - Parent id of documents. - - - Request parameters descriptor for Update -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html
-            
-
-
- - Explicit write consistency setting for the operation - - - The script language (default: mvel) - - - ID of the parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specify how many times should the operation be retried when a conflict occurs (default: 0) - - - Specific routing value - - - The URL-encoded script definition (instead of using request body) - - - Explicit operation timeout - - - Explicit timestamp for the document - - - Expiration time for the document - - - Explicit version number for concurrency control - - - Specific version type - - - - Used to stringify valuetypes to string (i.e querystring parameters and route parameters). - - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Provides implementation for type conversion operations. Classes derived from the class can override this method to specify dynamic behavior for operations that convert an object from one type to another. - - Provides information about the conversion operation. The binder.Type property provides the type to which the object must be converted. For example, for the statement (String)sampleObject in C# (CType(sampleObject, Type) in Visual Basic), where sampleObject is an instance of the class derived from the class, binder.Type returns the type. The binder.Explicit property provides information about the kind of conversion that occurs. It returns true for explicit conversion and false for implicit conversion. - The result of the type conversion operation. - - Alwasy returns true. - - - - - Provides the implementation for operations that delete an object member. This method is not intended for use in C# or Visual Basic. - - Provides information about the deletion. - - Alwasy returns true. - - - - - Provides the implementation for operations that get a value by index. Classes derived from the class can override this method to specify dynamic behavior for indexing operations. - - Provides information about the operation. - The indexes that are used in the operation. For example, for the sampleObject[3] operation in C# (sampleObject(3) in Visual Basic), where sampleObject is derived from the DynamicObject class, is equal to 3. - The result of the index operation. - - Alwasy returns true. - - - - - Provides the implementation for operations that get member values. Classes derived from the class can override this method to specify dynamic behavior for operations such as getting a value for a property. - - Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member on which the dynamic operation is performed. For example, for the Console.WriteLine(sampleObject.SampleProperty) statement, where sampleObject is an instance of the class derived from the class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive. - The result of the get operation. For example, if the method is called for a property, you can assign the property value to . - - Alwasy returns true. - - - - - Provides the implementation for operations that set a value by index. Classes derived from the class can override this method to specify dynamic behavior for operations that access objects by a specified index. - - Provides information about the operation. - The indexes that are used in the operation. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the class, is equal to 3. - The value to set to the object that has the specified index. For example, for the sampleObject[3] = 10 operation in C# (sampleObject(3) = 10 in Visual Basic), where sampleObject is derived from the class, is equal to 10. - - true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown. - - - - - Provides the implementation for operations that set member values. Classes derived from the class can override this method to specify dynamic behavior for operations such as setting a value for a property. - - Provides information about the object that called the dynamic operation. The binder.Name property provides the name of the member to which the value is being assigned. For example, for the statement sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the class, binder.Name returns "SampleProperty". The binder.IgnoreCase property specifies whether the member name is case-sensitive. - The value to set to the member. For example, for sampleObject.SampleProperty = "Test", where sampleObject is an instance of the class derived from the class, the is "Test". - - true if the operation is successful; otherwise, false. If this method returns false, the run-time binder of the language determines the behavior. (In most cases, a language-specific run-time exception is thrown.) - - - - - Returns the enumeration of all dynamic member names. - - - A sequence that contains dynamic member names. - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - diff --git a/packages/Elasticsearch.Net.1.3.1/lib/Elasticsearch.Net.dll b/packages/Elasticsearch.Net.1.3.1/lib/Elasticsearch.Net.dll deleted file mode 100644 index 5297654..0000000 Binary files a/packages/Elasticsearch.Net.1.3.1/lib/Elasticsearch.Net.dll and /dev/null differ diff --git a/packages/Elasticsearch.Net.1.3.1/lib/Elasticsearch.Net.pdb b/packages/Elasticsearch.Net.1.3.1/lib/Elasticsearch.Net.pdb deleted file mode 100644 index 6416a78..0000000 Binary files a/packages/Elasticsearch.Net.1.3.1/lib/Elasticsearch.Net.pdb and /dev/null differ diff --git a/packages/MaxMind.DB.0.2.3.0/MaxMind.DB.0.2.3.0.nupkg b/packages/MaxMind.DB.0.2.3.0/MaxMind.DB.0.2.3.0.nupkg deleted file mode 100644 index 5e27a60..0000000 Binary files a/packages/MaxMind.DB.0.2.3.0/MaxMind.DB.0.2.3.0.nupkg and /dev/null differ diff --git a/packages/MaxMind.DB.0.2.3.0/lib/net40/MaxMind.Db.dll b/packages/MaxMind.DB.0.2.3.0/lib/net40/MaxMind.Db.dll deleted file mode 100644 index efc9dae..0000000 Binary files a/packages/MaxMind.DB.0.2.3.0/lib/net40/MaxMind.Db.dll and /dev/null differ diff --git a/packages/MaxMind.DB.0.2.3.0/lib/net40/MaxMind.Db.xml b/packages/MaxMind.DB.0.2.3.0/lib/net40/MaxMind.Db.xml deleted file mode 100644 index 5b94c47..0000000 --- a/packages/MaxMind.DB.0.2.3.0/lib/net40/MaxMind.Db.xml +++ /dev/null @@ -1,279 +0,0 @@ - - - - MaxMind.Db - - - - - Enumeration representing the types of objects read from the database - - - - - A data structure to store an object read from the database - - - - - Initializes a new instance of the class. - - The node. - The offset. - - - - The object read from the database - - - - - The offset - - - - - Given a stream, this class decodes the object graph at a particular location - - - - - Initializes a new instance of the class. - - The stream. - The base address in the stream. - - - - Decodes the object at the specified offset. - - The offset. - An object containing the data read from the stream - - - - Reads the one. - - The position. - - - - - Reads the many. - - The position. - The size. - - - - - Decodes the type of the by. - - The type. - The offset. - The size. - - Unable to handle type! - - - - Froms the control byte. - - The attribute. - - - - - Sizes from control byte. - - The control byte. - The offset. - - - - - Decodes the boolean. - - The size of the structure. - - - - - Decodes the double. - - The buffer. - - - - - Decodes the float. - - The buffer. - - - - - Decodes the string. - - The buffer. - - - - - Decodes the map. - - The size. - The offset. - - - - - Decodes the long. - - The buffer. - - - - - Decodes the integer. - - The buffer. - - - - - Decodes the array. - - The size. - The offset. - - - - - Decodes the uint64. - - The buffer. - - - - - Decodes the big integer. - - The buffer. - - - - - Decodes the pointer. - - The control byte. - The offset. - The resulting offset - - - - - Decodes the integer. - - The buffer. - - - - - Decodes the integer. - - The base value. - The buffer. - - - - - Thrown when the MaxMind database file is incorrectly formatted - - - - - Initializes a new instance of the class. - - A message that describes the error. - - - - Initializes a new instance of the class. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception. If the parameter is not a null reference, the current exception is raised in a catch block that handles the inner exception. - - - - An enumeration specifying the API to use to read the database - - - - - Open the file in memory mapped mode. Does not load into real memory. - - - - - Load the file into memory. - - - - - Given a MaxMind DB file, this class will retrieve information about an IP address - - - - - Initializes a new instance of the class. - - The file. - - - - Initializes a new instance of the class. - - The MaxMind DB file. - The mode by which to access the DB file. - - - - Initialize with Stream - - - - - - Finds the data related to the specified address. - - The IP address. - An object containing the IP related data - - - - Finds the data related to the specified address. - - The IP address. - An object containing the IP related data - - - - Release resources back to the system. - - - - - Gets the metadata. - - - The metadata. - - - - - Data about the database file itself - - - - diff --git a/packages/MaxMind.GeoIP2.0.4.0.0/MaxMind.GeoIP2.0.4.0.0.nupkg b/packages/MaxMind.GeoIP2.0.4.0.0/MaxMind.GeoIP2.0.4.0.0.nupkg deleted file mode 100644 index d556ce1..0000000 Binary files a/packages/MaxMind.GeoIP2.0.4.0.0/MaxMind.GeoIP2.0.4.0.0.nupkg and /dev/null differ diff --git a/packages/MaxMind.GeoIP2.0.4.0.0/lib/net40/MaxMind.GeoIP2.XML b/packages/MaxMind.GeoIP2.0.4.0.0/lib/net40/MaxMind.GeoIP2.XML deleted file mode 100644 index 3405210..0000000 --- a/packages/MaxMind.GeoIP2.0.4.0.0/lib/net40/MaxMind.GeoIP2.XML +++ /dev/null @@ -1,1145 +0,0 @@ - - - - MaxMind.GeoIP2 - - - - - Instances of this class provide a reader for the GeoIP2 database format - - - - - This class provides the interface implemented by both - and . - - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Initializes a new instance of the class. - - The MaxMind DB file. - The mode by which to access the DB file. - - - - Initializes a new instance of the class. - - The MaxMind DB file. - List of locale codes to use in name property from most preferred to least preferred. - The mode by which to access the DB file. - - - - Initializes a new instance of the class. - - A stream of the MaxMind DB file. - - - - Initializes a new instance of the class. - - A stream of the MaxMind DB file. - List of locale codes to use in name property from most preferred to least preferred. - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified IP address. - - The IP address. - An - - - - Returns an for the specified IP address. - - The IP address. - An - - - - Returns an for the specified IP address. - - The IP address. - An - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - This exception is thrown when the IP address is not found in the database. - This generally means that the address was a private or reserved address. - - - - - This class represents a generic GeoIP2 error. All other exceptions thrown by - the GeoIP2 API subclass this exception - - - - - Initializes a new instance of the class. - - A message that describes the error. - - - - Initializes a new instance of the class. - - A message that describes the error. - The inner exception. - - - - Initializes a new instance of the class. - - A message explaining the cause of the error. - - - - This exception is thrown when there is an authentication error. - - - - - Initializes a new instance of the class. - - A message explaining the cause of the error. - - - - This class represents an HTTP transport error. This is not an error returned - by the web service itself. As such, it is a IOException instead of a - GeoIP2Exception. - - - - - Initializes a new instance of the class. - - A message describing the reason why the exception was thrown. - The HTTP status of the response that caused the exception. - The URL queried. - - - - Initializes a new instance of the class. - - A message describing the reason why the exception was thrown. - The HTTP status of the response that caused the exception. - The URL queried. - The underlying exception that caused this one. - - - - The HTTP status code returned by the web service. - - - - - The URI queried by the web service. - - - - - This class represents a non-specific error returned by MaxMind's GeoIP2 web - service. This occurs when the web service is up and responding to requests, - but the request sent was invalid in some way. - - - - - Initializes a new instance of the class. - - A message explaining the cause of the error. - The error code returned by the web service. - The URL queried. - - - - The error code returned by the web service. - - - - - The URI queried by the web service. - - - - - This exception is thrown when your account does not have any queries remaining for the called service. - - - - - Initializes a new instance of the class. - - A message that describes the error. - - - - City-level data associated with an IP address. - - - - - Abstract class for records with name maps. - - - - - Constructor - - - - - Constructor - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - A from locale codes to the name in that locale. - - - - - The GeoName ID for the city. - - - - - Gets or sets the locales specified by the user. - - - - - The name of the city based on the locales list passed to the - constructor. - - - - - Constructor - - - - - Constructor - - - - - A value from 0-100 indicating MaxMind's confidence that the city - is correct. - - - - - Contains data for the continent record associated with an IP address. - - - - - Constructor - - - - - Constructor - - - - - A two character continent code like "NA" (North America) or "OC" - (Oceania). - - - - - Contains data for the country record associated with an IP address. - - - - - Constructor - - - - - Constructor - - - - - A value from 0-100 indicating MaxMind's confidence that the country - is correct. This attribute is only available from the Insights web - service end point. - - - - - The two-character ISO - 3166-1 alpha code for the country. - - - - - Contains data about an error that occurred while calling the web service - - - - - Gets or sets the error. - - - The error message returned by the service. - - - - - Gets or sets the code. - - - The error code returned by the service. - - - - - Contains data for the location record associated with an IP address. - - - - - Constructor - - - - - Constructor - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - The radius in kilometers around the specified location where the - IP address is likely to be. This attribute is only available from - the Insights end point. - - - - - The latitude of the location as a floating point number. - - - - - The longitude of the location as a floating point number. - - - - - The metro code of the location if the location is in the US. - MaxMind returns the same metro codes as the Google AdWords API. - - - - - The time zone associated with location, as specified by the IANA Time Zone - Database, e.g., "America/New_York". - - - - - Contains data related to your MaxMind account. - - - - - Constructor - - - - - Constructor - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - The number of remaining queried in your account for the web - service end point. This will be null when using a local - database. - - - - - Contains data for the postal record associated with an IP address. - - - - - Constructor - - - - - Constructor - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - The postal code of the location. Postal codes are not available - for all countries. In some countries, this will only contain part - of the postal code. - - - - - A value from 0-100 indicating MaxMind's confidence that the - postal code is correct. This attribute is only available from the - Insight web service end point. - - - - - Contains data for the represented country associated with an IP address. - - This class contains the country-level data associated with an IP address for - the IP's represented country. The represented country is the country - represented by something like a military base. - - - - - Constructor - - - - - Constructor - - - - - A string indicating the type of entity that is representing the - country. Currently we only return military but this could - expand to include other types in the future. - - - - - Contains data for the subdivisions associated with an IP address. - - - - - Constructor - - - - - Constructor - - - - - This is a value from 0-100 indicating MaxMind's confidence that - the subdivision is correct. This attribute is only available from - the Insights web service end point. - - - - - This is a string up to three characters long contain the - subdivision portion of the code. - - - - - Contains data for the traits record associated with an IP address. - - - - - Constructor - - - - - Constructor - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - The autonomous system number associated with the IP address. - This attribute is only available from the City and Insights web - service end points. - - - - - The organization associated with the registered autonomous system number for the IP address. This attribute - is only available from the City and Insights web service end points. - - - - - The second level domain associated with the IP address. This will - be something like "example.com" or "example.co.uk", not - "foo.example.com". This attribute is only available from the - City and Insights web service end points. - - - - - The IP address that the data in the model is for. If you - performed a "me" lookup against the web service, this will be the - externally routable IP address for the system the code is running - on. If the system is behind a NAT, this may differ from the IP - address locally assigned to it. - - - - - This is true if the IP is an anonymous proxy. See - MaxMind's GeoIP - FAQ - - - - - This is true if the IP belong to a satellite internet provider. - - - - - The name of the ISP associated with the IP address. This - attribute is only available from the City and Insights web - service end points. - - - - - The name of the organization associated with the IP address. This - attribute is only available from the City and Insights web - service end points. - - - - - The user type associated with the IP address. This can be one of - the following values: - business - cafe - cellular - college - content_delivery_network - dialup - government - hosting - library - military - residential - router - school - search_engine_spider - traveler - This attribute is only available from the Insights end point. - - - - - Abstract class that city-level response. - - - - - Abstract class for country-level response. - - - - - Abstract class that represents a generic response. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Sets the locales on all the NamedEntity properties. - - The locales specified by the user. - - - - Gets the continent for the requested IP address. - - - - - Gets the country for the requested IP address. This - object represents the country where MaxMind believes - the end user is located - - - - - Gets the MaxMind record containing data related to your account - - - - - Registered country record for the requested IP address. This - record represents the country where the ISP has registered a - given IP block and may differ from the user's country. - - - - - Represented country record for the requested IP address. The - represented country is used for things like military bases or - embassies. It is only present when the represented country - differs from the country. - - - - - Gets the traits for the requested IP address. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Sets the locales on all the NamedEntity properties. - - The locales specified by the user. - - - - Gets the city for the requested IP address. - - - - - Gets the location for the requested IP address. - - - - - Gets the postal object for the requested IP address. - - - - - An of objects representing - the country subdivisions for the requested IP address. The number - and type of subdivisions varies by country, but a subdivision is - typically a state, province, county, etc. Subdivisions are - ordered from most general (largest) to most specific (smallest). - If the response did not contain any subdivisions, this method - returns an empty array. - - - - - An object representing the most specific subdivision returned. If - the response did not contain any subdivisions, this method - returns an empty object. - - - - - This class provides a model for the data returned by the GeoIP2 Precision: City - end point. - - The only difference between the City and Insights response classes is - which fields in each record may be populated. - - GeoIP2 Web - Services - - - - - Constructor - - - - - Constructor - - - - - This class provides a model for the data returned by GeoIP2 Precision: City and GeoIP2 City. - - The only difference between the City and Insights response classes is - which fields in each record may be populated. - - GeoIP2 Web - Services - - - - - Constructor - - - - - Constructor - - - - - This class represents the GeoIP2 ISP response. - - - - - Constructor - - - - - The autonomous system number associated with the IP address. - - - - - The organization associated with the registered autonomous system number for the IP address. - - - - - The name of the ISP associated with the IP address. - - - - - The name of the organization associated with the IP address. - - - - - The IP address that the data in the model is for. If you - performed a "me" lookup against the web service, this will be the - externally routable IP address for the system the code is running - on. If the system is behind a NAT, this may differ from the IP - address locally assigned to it. - - - - - This class represents the GeoIP2 Connection-Type response. - - - - - Constructor - - - - - The connection type of the IP address. - - - - - The IP address that the data in the model is for. If you - performed a "me" lookup against the web service, this will be the - externally routable IP address for the system the code is running - on. If the system is behind a NAT, this may differ from the IP - address locally assigned to it. - - - - - This class represents the GeoIP2 Domain response. - - - - - Constructor - - - - - The second level domain associated with the IP address. This will - be something like "example.com" or "example.co.uk", not - "foo.example.com". - - - - - The IP address that the data in the model is for. If you - performed a "me" lookup against the web service, this will be the - externally routable IP address for the system the code is running - on. If the system is behind a NAT, this may differ from the IP - address locally assigned to it. - - - - - This class provides a model for the data returned by the GeoIP2 Precision: Country and GeoIP2 Country. - - The only difference between the City and Insights response classes is - which fields in each record may be populated. - - See GeoIP2 Web - Services - - - - - Constructor - - - - - Constructor - - - - - This class provides a model for the data returned by the GeoIP2 Precision: - Insights end point. - - The only difference between the City and Insights response classes is - which fields in each record may be populated. - - GeoIP2 Web - Services - - - - - Constructor - - - - - Constructor - - - - - This class provides a model for the data returned by the GeoIP2 Precision: - Insights web service end point. - - The only difference between the City and Insights response classes is - which fields in each record may be populated. - - GeoIP2 Web - Services - - - - - Constructor - - - - - Constructor - - - - - - This class provides a client API for all the GeoIP2 Precision web service - end points. The end points are Country, City, and Insights. Each end point - returns a different set of data about an IP address, with Country returning - the least data and Insights the most. - - - - Each web service end point is represented by a different model class - which contains data about the IP address. - - - - If the web service does not return a particular piece of data for an IP - address, the associated property is not populated. - - - - The web service may not return any information for an entire record, in which - case all of the properties for that model class will be empty. - - - - Usage - - - - The basic API for this class is the same for all of the web service end - points. First you create a web service object with your MaxMind - userID and licenseKey, then you call the method corresponding - to a specific end point, passing it the IP address you want to look up. - - - - If the request succeeds, the method call will return a model class for the - end point you called. This model in turn contains multiple record classes, - each of which represents part of the data returned by the web service. - - - - If the request fails, the client class throws an exception. - - - - Exceptions - - - - For details on the possible errors returned by the web service itself, see the GeoIP2 web - service documentation. - - - - - - - Initializes a new instance of the class. - - Your MaxMind user ID. - Your MaxMind license key. - The base url to use when accessing the service - Timeout in milliseconds for connection to web service. The default is 3000. - - - - Initializes a new instance of the class. - - The user unique identifier. - The license key. - List of locale codes to use in name property from most preferred to least preferred. - The base url to use when accessing the service - Timeout in milliseconds for connection to web service. The default is 3000. - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - The RestClient to use - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - The RestClient to use - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - The RestClient to use - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - The RestClient to use - An - - - - Returns an for the specified ip address. - - The ip address. - An - - - - Returns an for the specified ip address. - - The ip address. - The RestClient to use - An - - - diff --git a/packages/MaxMind.GeoIP2.0.4.0.0/lib/net40/MaxMind.GeoIP2.dll b/packages/MaxMind.GeoIP2.0.4.0.0/lib/net40/MaxMind.GeoIP2.dll deleted file mode 100644 index ea5c166..0000000 Binary files a/packages/MaxMind.GeoIP2.0.4.0.0/lib/net40/MaxMind.GeoIP2.dll and /dev/null differ diff --git a/packages/NEST.1.3.1/NEST.1.3.1.nupkg b/packages/NEST.1.3.1/NEST.1.3.1.nupkg deleted file mode 100644 index 80ec4a9..0000000 Binary files a/packages/NEST.1.3.1/NEST.1.3.1.nupkg and /dev/null differ diff --git a/packages/NEST.1.3.1/lib/Nest.XML b/packages/NEST.1.3.1/lib/Nest.XML deleted file mode 100644 index a4553fb..0000000 --- a/packages/NEST.1.3.1/lib/Nest.XML +++ /dev/null @@ -1,12447 +0,0 @@ - - - - Nest - - - - Implements several handy alias extensions. - - - - - Returns a list of aliases that point to the specified index, simplified version of GetAliases. - - - The exact indexname we want to know aliases of - - - - Returns a list of aliases that point to the specified index, simplified version of GetAliases. - - - The exact indexname we want to know aliases of - - - - Returns a list of indices that have the specified aliasName applied to them. Simplified version of GetAliases. - - - The exact alias name - - - - Returns a list of indices that have the specified aliasName applied to them. Simplified version of GetAliases. - - - The exact alias name - - - Implements a convenience extension method for count that defaults - to counting over all indices and types. - - - - - The count API allows to easily execute a query and get the number of matches for that query. - It can be executed across one or more indices and across one or more types. - This overload returns a dynamic response and defaults to all types and indices - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-count.html - - - An optional descriptor to describe the count operation - - - - The count API allows to easily execute a query and get the number of matches for that query. - It can be executed across one or more indices and across one or more types. - This overload returns a dynamic response and defaults to all types and indices - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-count.html - - - An optional descriptor to describe the count operation - - - - Implements extensions to Delete that allow for easier by id deletes. - - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - - The name of the index as string - The type name of the document you wish to delete - The id as string of the document you want to delete - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - - The id as int of the document you want to delete - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - - The id as string of the document you want to delete - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - - The id as int of the document you want to delete - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - - The name of the index as string - The type name of the document you wish to delete - The id as string of the document you want to delete - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - - The id as string of the document you want to delete - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - - The object used to infer the id - An optional descriptor to further describe the delete operation - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - - The object used to infer the id - An optional descriptor to further describe the delete operation - - - - Provides convenience extension methods that make it easier to delete existing indices. - - - - - The delete index API allows to delete an existing index. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-delete-index.html - - - The name of the index to be deleted - A descriptor that further describes the parameters for the delete index operation - - - - The delete index API allows to delete an existing index. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-delete-index.html - - - The name of the index to be deleted - A descriptor that further describes the parameters for the delete index operation - - - - Provides GetMany extensions that make it easier to get many documents given a list of ids - - - - - Shortcut into the Bulk call that indexes the specified objects - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-bulk.html - - - The type used to infer the default index and typename - List of objects to index, Id will be inferred (Id property or IdProperty attribute on type) - Override the inferred indexname for T - Override the inferred typename for T - - - - Shortcut into the Bulk call that indexes the specified objects - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-bulk.html - - - The type used to infer the default index and typename - List of objects to index, Id will be inferred (Id property or IdProperty attribute on type) - Override the inferred indexname for T - Override the inferred typename for T - - - - Implements Get() extensions that make it easier to get a document given an id - - - - - The get API allows to get a typed JSON document from the index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html - - The type used to infer the default index and typename - - The string id of the document we want the fetch - Optionally override the inferred index name for T - Optionally override the inferred typename for T - - - - The get API allows to get a typed JSON document from the index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html - - The type used to infer the default index and typename - - The long id of the document we want the fetch - Optionally override the inferred index name for T - Optionally override the inferred typename for T - - - - The get API allows to get a typed JSON document from the index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html - - The type used to infer the default index and typename - - The string id of the document we want the fetch - Optionally override the inferred index name for T - Optionally override the inferred typename for T - - - - The get API allows to get a typed JSON document from the index based on its id. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html - - The type used to infer the default index and typename - - The long id of the document we want the fetch - Optionally override the inferred index name for T - Optionally override the inferred typename for T - - - - Provides GetMany extensions that make it easier to get many documents given a list of ids - - - - - Shortcut into the Bulk call that deletes the specified objects - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-bulk.html - - - The type used to infer the default index and typename - List of objects to delete - Override the inferred indexname for T - Override the inferred typename for T - - - - Shortcut into the Bulk call that deletes the specified objects - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-bulk.html - - - The type used to infer the default index and typename - List of objects to delete - Override the inferred indexname for T - Override the inferred typename for T - - - - Provides GetMany extensions that make it easier to get many documents given a list of ids - - - - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - IEnumerable of ids as string for the documents to fetch - Optionally override the default inferred index name for T - Optionally overiide the default inferred typename for T - - - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - IEnumerable of ids as ints for the documents to fetch - Optionally override the default inferred index name for T - Optionally overiide the default inferred typename for T - - - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - IEnumerable of ids as string for the documents to fetch - Optionally override the default inferred index name for T - Optionally overiide the default inferred typename for T - - - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - IEnumerable of ids as ints for the documents to fetch - Optionally override the default inferred index name for T - Optionally overiide the default inferred typename for T - - - - Provides convenience extension to open an index by string or type. - - - - - The create index API allows to instantiate an index. Elasticsearch provides support for multiple indices, - including executing operations across several indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-create-index.html - - - The name of the index to be created - A descriptor that further describes the parameters for the create index operation - - - - The create index API allows to instantiate an index. Elasticsearch provides support for multiple indices, - including executing operations across several indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-create-index.html - - - The name of the index to be created - A descriptor that further describes the parameters for the create index operation - - - - The create index API allows to instantiate an index. Elasticsearch provides support for multiple indices, - including executing operations across several indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-create-index.html - - - The name of the index to be created - A descriptor that further describes the parameters for the create index operation - - - - Provides convenience extension to open an index by string or type. - - - - - The open and close index APIs allow to close an index, and later on opening it. - A closed index has almost no overhead on the cluster (except for maintaining its metadata), and is blocked - for read/write operations. - A closed index can be opened which will then go through the normal recovery process. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-open-close.html - - - The name of the index to be opened - - - - The open and close index APIs allow to close an index, and later on opening it. - A closed index has almost no overhead on the cluster (except for maintaining its metadata), and is blocked - for read/write operations. - A closed index can be opened which will then go through the normal recovery process. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-open-close.html - - The type used to infer the index name to be opened - - - - - The open and close index APIs allow to close an index, and later on opening it. - A closed index has almost no overhead on the cluster (except for maintaining its metadata), and is blocked - for read/write operations. - A closed index can be opened which will then go through the normal recovery process. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-open-close.html - - - The name of the index to be closed - - - - The open and close index APIs allow to close an index, and later on opening it. - A closed index has almost no overhead on the cluster (except for maintaining its metadata), and is blocked - for read/write operations. - A closed index can be opened which will then go through the normal recovery process. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-open-close.html - - The type used to infer the index name to be closed - - - - - Provides extension methods to provide a cleaner scoll API given a scollTime and scrollId - - - - - Provides extension methods to provide a cleaner scoll API given a scollTime and scrollId - - - - - A search request can be scrolled by specifying the scroll parameter. - The scroll parameter is a time value parameter (for example: scroll=5m), - indicating for how long the nodes that participate in the search will maintain relevant resources in - order to continue and support it. - This is very similar in its idea to opening a cursor against a database. - - The type that represents the result hits - - The time the server should wait for the scroll before closing the scan operation - The scroll id to continue the scroll operation - - - - A search request can be scrolled by specifying the scroll parameter. - The scroll parameter is a time value parameter (for example: scroll=5m), - indicating for how long the nodes that participate in the search will maintain relevant resources in - order to continue and support it. - This is very similar in its idea to opening a cursor against a database. - - The type that represents the result hits - - The time the server should wait for the scroll before closing the scan operation - The scroll id to continue the scroll operation - - - - Deletes a registered scroll request on the cluster - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-request-scroll.html - - - The scrollId to clear - - - - Deletes a registered scroll request on the cluster - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-request-scroll.html - - - The scrollId to clear - - - - This is a convenience method to deserialize to T using the registered deserializer. - NOTE: If you want to deserialize to a NEST response you need to use the overload that - takes an ElasticsearchResponse - - The type to deserialize to - the interface we are extending - The string representation of the data to be deserialized - - - - Provides convenience extension methods that make it easier to get the _source for - a given document given a string or long id. - - - - - Use the /{index}/{type}/{id}/_source endpoint to get just the _source field of the document, - without any additional content around it. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#_source - - The type used to infer the default index and typename - - id as string of the document we want the _source from - Optionally override the inferred index name for T - Optionally override the inferred type name for T - - - - Use the /{index}/{type}/{id}/_source endpoint to get just the _source field of the document, - without any additional content around it. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#_source - - The type used to infer the default index and typename - - id as int of the document we want the _source from - Optionally override the inferred index name for T - Optionally override the inferred type name for T - - - - Use the /{index}/{type}/{id}/_source endpoint to get just the _source field of the document, - without any additional content around it. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#_source - - The type used to infer the default index and typename - - id as string of the document we want the _source from - Optionally override the inferred index name for T - Optionally override the inferred type name for T - - - - Use the /{index}/{type}/{id}/_source endpoint to get just the _source field of the document, - without any additional content around it. - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#_source - - The type used to infer the default index and typename - - id as int of the document we want the _source from - Optionally override the inferred index name for T - Optionally override the inferred type name for T - - - - Provides convenience extension methods to get many _source's given a list of ids. - - - - - SourceMany allows you to get a list of T documents out of elasticsearch, internally it calls into MultiGet() - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - A list of ids as string - Optionally override the default inferred indexname for T - Optionally override the default inferred indexname for T - - - - SourceMany allows you to get a list of T documents out of elasticsearch, internally it calls into MultiGet() - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - A list of ids as int - Optionally override the default inferred indexname for T - Optionally override the default inferred indexname for T - - - - SourceMany allows you to get a list of T documents out of elasticsearch, internally it calls into MultiGet() - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - A list of ids as string - Optionally override the default inferred indexname for T - Optionally override the default inferred indexname for T - - - - SourceMany allows you to get a list of T documents out of elasticsearch, internally it calls into MultiGet() - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - - >http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - The type used to infer the default index and typename - - A list of ids as int - Optionally override the default inferred indexname for T - Optionally override the default inferred indexname for T - - - - Get a DateTime form of the returned key, only make sense on date_histogram aggregations. - - - - - Marker interface for alias operation - - - - - - - - - - The pattern_replace char filter allows the use of a regex to manipulate the characters in a string before analysis. - - - - - Splits tokens into tokens and payload whenever a delimiter character is found. - - - - - Character used for splitting the tokens. - - - - - The type of the payload. int for integer, float for float and identity for characters. - - - - - Token filter that generates bigrams for frequently occuring terms. Single terms are still indexed. - Note, common_words or common_words_path field is required. - - - - - A list of common words to use. - - - - - A path (either relative to config location, or absolute) to a list of common words. - - - - - If true, common words matching will be case insensitive. - - - - - Generates bigrams then removes common words and single terms followed by a common word. - - - - - The keyword_repeat token filter Emits each incoming token twice once as keyword and once as a non-keyword to allow an unstemmed version of a term to be indexed side by side with the stemmed version of the term. - - - - - Basic support for hunspell stemming. - Hunspell dictionaries will be picked up from a dedicated hunspell directory on the filesystem. - - - - - If true, dictionary matching will be case insensitive. - - - - - A locale for this filter. If this is unset, the lang or language are used instead - so one of these has to be set. - - - - - The name of a dictionary. - - - - - If only unique terms should be returned, this needs to be set to true. - - - - - If only the longest term should be returned, set this to true. - - - - - Limits the number of tokens that are indexed per document and field. - - - - - The maximum number of tokens that should be indexed per document and field. - - - - - If set to true the filter exhaust the stream even if max_token_count tokens have been consumed already. - - - - - The pattern_capture token filter, unlike the pattern tokenizer, emits a token for every capture group in the regular expression. - - - - - If preserve_original is set to true then it would also emit the original token - - - - - A token filter of type keep that only keeps tokens with text contained in a predefined set of words. - - - - - A list of words to keep. - - - - - A path to a words file. - - - - - A boolean indicating whether to lower case the words. - - - - - Overrides stemming algorithms, by applying a custom mapping, then protecting these terms from being modified by stemmers. Must be placed before any stemming filters. - - - - - A list of mapping rules to use. - - - - - A path (either relative to config location, or absolute) to a list of mappings. - - - - - A token filter of type uppercase that normalizes token text to upper case. - - - - - This class allows you to map aspects of a Type's property - that influences how NEST treats it. - - - - - Override the json property name of a type - - - - - Ignore this property completely -
- When mapping automatically using MapFromAttributes()
-
- When Indexing this type do not serialize whatever this value hold
-
-
- - - This class allows you to map aspects of a Type's property - that influences how NEST treats it. - - - - - Override the json property name of a type - - - - - Ignore this property completely -
- When mapping automatically using MapFromAttributes()
-
- When Indexing this type do not serialize whatever this value hold
-
-
- - - - - - - Used to describe request parameters not part of the body. e.q query string or - connection configuration overrides - - - - Request parameters for DeleteScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - descriptor for DeleteScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - - Specify settings for this request alone, handy if you need a custom timeout or want to bypass sniffing, retries - - - - Request parameters for GetScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - descriptor for GetScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - Request parameters for PutScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - descriptor for PutScript -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-scripting.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{name}
-            
- name is mandatory. -
-
- - - Specify the {name} part of the operation - - - - Request parameters for CatIndices -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Set to true to return stats only for primary shards - - - Verbose mode. Display column headers - - - descriptor for CatIndices -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-indices.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Set to true to return stats only for primary shards - - - Verbose mode. Display column headers - - - Request parameters for CatShards -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatShards -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-shards.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatThreadPool -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Enables displaying the complete node ids - - - descriptor for CatThreadPool -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-thread-pool.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Enables displaying the complete node ids - - - Request parameters for CatRecovery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html
-            
-
-
- - The unit in which to display byte values - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatRecovery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-recovery.html
-            
-
-
- - The unit in which to display byte values - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatPlugins -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatPlugins -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-plugins.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatPendingTasks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatPendingTasks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-pending-tasks.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatNodes -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatNodes -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-nodes.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatMaster -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatMaster -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-master.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatHealth -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Set to false to disable timestamping - - - Verbose mode. Display column headers - - - descriptor for CatHealth -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-health.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Set to false to disable timestamping - - - Verbose mode. Display column headers - - - Request parameters for CatFielddata -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - A comma-separated list of fields to return the fielddata size - - - descriptor for CatFielddata -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/cat-fielddata.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - A comma-separated list of fields to return the fielddata size - - - A comma-separated list of fields to return the fielddata size - - - Request parameters for CatCount -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatCount -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-count.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for CatAllocation -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatAllocation -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-allocation.html
-            
-
-
- - The unit in which to display byte values - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for ClusterPendingTasks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Specify timeout for connection to master - - - descriptor for ClusterPendingTasks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-pending.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Specify timeout for connection to master - - - Request parameters for ClusterStats -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html
-            
-
-
- - Return settings in flat format (default: false) - - - Whether to return time and byte values in human-readable format. - - - descriptor for ClusterStats -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-stats.html
-            
-
-
- - Return settings in flat format (default: false) - - - Whether to return time and byte values in human-readable format. - - - Request parameters for CatAliases -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - descriptor for CatAliases -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat-aliases.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Comma-separated list of column names to display - - - Return help information - - - Verbose mode. Display column headers - - - Request parameters for IndicesDeleteAlias -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Explicit timestamp for the document - - - Specify timeout for connection to master - - - descriptor for IndicesDeleteAlias -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{name}
-            
- neither parameter is optional -
-
- - Explicit timestamp for the document - - - Specify timeout for connection to master - - - Request parameters for SnapshotGetRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for SnapshotGetRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path that contains a -
-            {repository}
-            
- routing value -
-
- - - Specify the name of the repository we are targeting - - - - Explicit operation timeout for connection to master node - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesPutAlias -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Explicit timestamp for the document - - - Specify timeout for connection to master - - - descriptor for IndicesPutAlias -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{name}
-            
- neither parameter is optional -
-
- - Explicit timestamp for the document - - - Specify timeout for connection to master - - - Request parameters for SearchShardsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html
-            
-
-
- - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - Return local information, do not retrieve the state from master node (default: false) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for SearchShardsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html
-            
-
-
- - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - Return local information, do not retrieve the state from master node (default: false) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - - A descriptor wich describes a search operation for _search_shards - - descriptor for SearchShardsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-shards.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{indices}/{types}
-            
- all parameters are optional and will default to the defaults for T -
-
- - - The indices to execute the search on. Defaults to the default index - - - - - The indices to execute the search on. Defaults to the default index - - - - - The indices to execute the search on. Defaults to the default index - - - - - The indices to execute the search on. Defaults to the default index - - - - - The indices to execute the search on. Defaults to the default index - - - - - The index to execute the search on, using the default index for typeof TAlternative. Defaults to the default index - - - - - The index to execute the search on. Defaults to the default index - - - - - The index to execute the search on. Defaults to the default index - - - - - The index to execute the search on. Defaults to the default index - - - - - The types to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The types to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The types to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The types to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The types to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The type to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The type to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - The type to execute the search on. Defaults to the inferred typename of T - unless T is dynamic then a type (or AllTypes()) MUST be specified. - - - - - An alternative type to infer the typename from - - - - - Execute search over all indices - - - - - Execute search over all types - - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - Return local information, do not retrieve the state from master node (default: false) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - - Provides a base for descriptors that need to describe a path that contains a -
-            {repository}
-            
- routing value -
-
- - - Specify the name of the repository we are targeting - - - - Request parameters for SnapshotStatus -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - descriptor for SnapshotStatus -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Request parameters for IndicesRecoveryForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html
-            
-
-
- - Whether to display detailed information about shard recovery - - - Display only those recoveries that are currently on-going - - - Whether to return time and byte values in human-readable format. - - - descriptor for IndicesRecoveryForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/indices-recovery.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{indices}
-            
- {indices} is optional -
-
- - Whether to display detailed information about shard recovery - - - Display only those recoveries that are currently on-going - - - Whether to return time and byte values in human-readable format. - - - - Based on the type information present in this descriptor create method that takes - the returned _source and hit and returns the ClrType it should deserialize too. - This is so that Documents[A] can contain actual instances of subclasses B, C as well. - If you specify types using .Types(typeof(B), typeof(C)) then NEST can automagically - create a TypeSelector based on the hits _type property. - - - - Request parameters for SearchTemplateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - Request parameters for SearchTemplateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - descriptor for SearchTemplateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-template.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - - Whether conditionless queries are allowed or not - - - - Request parameters for IndicesExistsTemplateForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesExistsTemplateForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesGetAliasForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesGetAliasForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesExistsAliasForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesExistsAliasForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesGetFieldMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html
-            
-
-
- - Whether the default mapping values should be returned as well - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesGetFieldMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html
-            
-
-
- - Whether the default mapping values should be returned as well - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesGetFieldMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-field-mapping.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{indices}/{types/{Fields}
-            
- {types} is optional, {indices} is too, {Fields} is mandatory -
-
- - - Force the operation to hit _all indices - - - - - Specify multiple indices by string - - - - - Specify multiple indices by stating the types you are searching on. - Each type will be asked for their default index and dedupped. - - - - - Use the default index of T - - - - - Use the default index of T - - - - - Use the default index of T - - - - - limit the types to operate on by specifiying them by string - - - - - limit the types to operate on by specifying the CLR types, the type names will be inferred. - - - - - Limit the operation on type T - - - - - Specify the fields to operate on - - - - - Specify the fields to operate on - - - - Whether the default mapping values should be returned as well - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for MpercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - descriptor for MpercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{type}
-            
- {index} is optional and so is {type} and will NOT fallback to the defaults of T - type can only be specified in conjuction with index. -
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for NodesHotThreadsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html
-            
-
-
- - The interval for the second sampling of threads - - - Number of samples of thread stacktrace (default: 10) - - - Specify the number of threads to provide information for (default: 3) - - - The type to sample (default: cpu) - - - descriptor for NodesHotThreadsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-hot-threads.html
-            
-
-
- - The interval for the second sampling of threads - - - Number of samples of thread stacktrace (default: 10) - - - Specify the number of threads to provide information for (default: 3) - - - The type to sample (default: cpu) - - - Request parameters for NodesShutdownForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html
-            
-
-
- - Set the delay for the operation (default: 1s) - - - Exit the JVM as well (default: true) - - - descriptor for NodesShutdownForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-shutdown.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{nodeid}
-            
- node id is optional -
-
- - - Specify the {name} part of the operation - - - - Set the delay for the operation (default: 1s) - - - Exit the JVM as well (default: true) - - - - Provides a base for descriptors that need to describe a path in the form of -
-            /{indices}/{types/{name}
-            
- {types} is optional, {indices} is too but needs an explicit AllIndices(). -
-
- - - Specify multiple indices by string - - - - - Specify multiple indices by stating the types you are searching on. - Each type will be asked for their default index and dedupped. - - - - - Use the default index of T - - - - - Use the default index of T - - - - - Use the default index of T - - - - - limit the types to operate on by specifiying them by string - - - - - limit the types to operate on by specifying the CLR types, the type names will be inferred. - - - - - Limit the operation on type T - - - - - Specify the {name} part of the operation - - - - Request parameters for Ping -
-            http://www.elasticsearch.org/guide/
-            
-
-
- - descriptor for Ping -
-            http://www.elasticsearch.org/guide/
-            
-
-
- - - Describe a get operation for the mlt_query docs property - - - - - Describe a get operation for the mlt_query docs property - - - - - Describe a get operation for the mlt_query docs property - - Use a different type to lookup - - - - Describe a get operation for the mlt_query docs property - - Use a different type to lookup - - - Request parameters for IndicesExistsType -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-types-exists.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesExistsType -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-types-exists.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{type}
-            
- Where neither parameter is optional -
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - - Provides NEST's ElasticClient with configurationsettings - - - - - Control how NEST's behaviour. - - - - - This calls SetDefaultTypenameInferrer with an implementation that will pluralize type names. This used to be the default prior to Nest 0.90 - - - - - Allows you to update internal the json.net serializer settings to your liking - - - - - Add a custom JsonConverter to the build in json serialization by passing in a predicate for a type. - This is faster then adding them using AddJsonConverters() because this way they will be part of the cached - Json.net contract for a type. - - - - - Index to default to when no index is specified. - - When null/empty/not set might throw NRE later on - when not specifying index explicitly while indexing. - - - - - By default NEST camelCases property names (EmailAddress => emailAddress) that do not have an explicit propertyname - either via an ElasticProperty attribute or because they are part of Dictionary where the keys should be treated verbatim. -
-            Here you can register a function that transforms propertynames (default casing, pre- or suffixing)
-            
-
-
- - - Allows you to override how type names should be represented, the default will call .ToLowerInvariant() on the type's name. - - - - - Map types to a index names. Takes precedence over SetDefaultIndex(). - - - - - Allows you to override typenames, takes priority over the global SetDefaultTypeNameInferrer() - - - - - Instantiate a new connectionsettings object that proves ElasticClient with configuration values - - A single uri representing the root of the node you want to connect to - defaults to http://localhost:9200 - - The default index/alias name used for operations that expect an index/alias name, - By specifying it once alot of magic string can be avoided. - You can also specify specific default index/alias names for types using .SetDefaultTypeIndices( - If you do not specify this, NEST might throw a runtime exception if an explicit indexname was not provided for a call - - - - - Instantiate a new connectionsettings object that proves ElasticClient with configuration values - - A connection pool implementation that'll tell the client what nodes are available - The default index/alias name used for operations that expect an index/alias name, - By specifying it once alot of magic string can be avoided. - You can also specify specific default index/alias names for types using .SetDefaultTypeIndices( - If you do not specify this, NEST might throw a runtime exception if an explicit indexname was not provided for a call - - - - - DescriptorFor is a marker to rename unintuitive generated elasticsearch operation names - - - - - Create a strongly typed string representation of the path to a property - i.e p => p.Arrary.First().SubProperty.Field will return 'array.subProperty.field' - - The type of the object - The path we want to specify - An optional ^boost postfix, only make sense with queries - - - - Create a strongly typed string representation of the name to a property - i.e p => p.Arrary.First().SubProperty.Field will return 'field' - - The type of the object - The path we want to specify - An optional ^boost postfix, only make sense with queries - - - - Represents a typed container for property names i.e "property" in "field.nested.property"; - - - - - Represents a typed container for object paths "field.nested.property"; - - - - Request parameters for ClusterGetSettings -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html
-            
-
-
- - Return settings in flat format (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - descriptor for ClusterGetSettings -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html
-            
-
-
- - Return settings in flat format (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters for ClusterPutSettings -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html
-            
-
-
- - Return settings in flat format (default: false) - - - descriptor for ClusterPutSettings -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-update-settings.html
-            
-
-
- - Return settings in flat format (default: false) - - - Request parameters for SnapshotDelete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - descriptor for SnapshotDelete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path that contains a -
-            {repository}
-            
- routing value -
-
- - - Specify the name of the repository we are targeting - - - - Explicit operation timeout for connection to master node - - - - Describe the query to perform using the static Query class - - - - Request parameters for ExplainGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html
-            
-
-
- - Specify whether wildcards and prefix queries in the query string query should be analyzed (default: false) - - - The analyzer for the query string query - - - The default operator for query string query (AND or OR) - - - The default field for query string query (default: _all) - - - A comma-separated list of fields to return in the response - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Request parameters for ExplainGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html
-            
-
-
- - Specify whether wildcards and prefix queries in the query string query should be analyzed (default: false) - - - The analyzer for the query string query - - - The default operator for query string query (AND or OR) - - - The default field for query string query (default: _all) - - - A comma-separated list of fields to return in the response - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - descriptor for ExplainGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-explain.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{type}/{id}
-            
- if one of the parameters is not explicitly specified this will fall back to the defaults for type T -
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{type}/{id}
-            
- if one of the parameters is not explicitly specified this will fall back to the defaults for type - this version won't throw if any of the parts are inferred to be emptyT -
-
- - Specify whether wildcards and prefix queries in the query string query should be analyzed (default: false) - - - The analyzer for the query string query - - - The default operator for query string query (AND or OR) - - - The default field for query string query (default: _all) - - - A comma-separated list of fields to return in the response - - - A comma-separated list of fields to return in the response - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - A list of fields to extract and return from the _source field - - - - Visit the query container just before we dispatch into the query it holds - - - - - - Visit every query item just before they are visited by their specialized Visit() implementation - - The IQuery object that will be visited - - - - Visit the filter container just before we dispatch into the filter it holds - - - - - - Visit every filer item just before they are visited by their specialized Visit() implementation - - The IFilterBase object that will be visited - - - - The current depth of the node being visited - - - - - Hints the relation with the parent, i,e queries inside a Must clause will have VisitorScope.Must set. - - - - Request parameters for AbortBenchmark -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html
-            
-
-
- - Request parameters for Bulk -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html
-            
-
-
- - Explicit write consistency setting for the operation - - - Refresh the index after performing the operation - - - Explicitely set the replication type - - - Specific routing value - - - Explicit operation timeout - - - Default document type for items which don't provide one - - - Request parameters for CatHelp -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html
-            
-
-
- - Return help information - - - Request parameters for ClearScroll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html
-            
-
-
- - Request parameters for ClusterHealth -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html
-            
-
-
- - Specify the level of detail for returned information - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Wait until the specified number of shards is active - - - Wait until the specified number of nodes is available - - - Wait until the specified number of relocating shards is finished - - - Wait until cluster is in a specific state - - - Request parameters for ClusterReroute -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html
-            
-
-
- - Simulate the operation only and return the resulting state - - - Return an explanation of why the commands can or cannot be executed - - - Don't return cluster state metadata (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters for ClusterState -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Specify timeout for connection to master - - - Return settings in flat format (default: false) - - - Request parameters for Count -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Include only documents with a specific `_score` value in the result - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Request parameters for CountPercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - A comma-separated list of specific routing values - - - Specify the node or shard the operation should be performed on (default: random) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The index to count percolate the document into. Defaults to index. - - - The type to count percolate document into. Defaults to type. - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for Delete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html
-            
-
-
- - Specific write consistency setting for the operation - - - ID of parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for DeleteByQuery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html
-            
-
-
- - The analyzer to use for the query string - - - Specific write consistency setting for the operation - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specific replication type - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Explicit operation timeout - - - Request parameters for DeleteTemplate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html
-            
-
-
- - Request parameters for Exists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - Request parameters for Get -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for GetSource -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for GetTemplate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html
-            
-
-
- - Request parameters for Index -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html
-            
-
-
- - Explicit write consistency setting for the operation - - - Explicit operation type - - - ID of the parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit timestamp for the document - - - Expiration time for the document - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for IndicesAnalyzeGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html
-            
-
-
- - The name of the analyzer to use - - - A comma-separated list of character filters to use for the analysis - - - Use the analyzer configured for this field (instead of passing the analyzer name) - - - A comma-separated list of filters to use for the analysis - - - The name of the index to scope the operation - - - With `true`, specify that a local shard should be used if available, with `false`, use a random shard (default: true) - - - The text on which the analysis should be performed (when request body is not used) - - - The name of the tokenizer to use for the analysis - - - Format of the output - - - Request parameters for IndicesClearCacheForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html
-            
-
-
- - Clear field data - - - A comma-separated list of fields to clear when using the `field_data` parameter (default: all) - - - Clear filter caches - - - Clear filter caches - - - A comma-separated list of keys to clear when using the `filter_cache` parameter (default: all) - - - Clear ID caches for parent/child - - - Clear ID caches for parent/child - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - A comma-separated list of index name to limit the operation - - - Clear the recycler cache - - - Request parameters for IndicesClose -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for IndicesCreate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Request parameters for IndicesDelete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Request parameters for IndicesDeleteMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html
-            
-
-
- - Specify timeout for connection to master - - - Request parameters for IndicesDeleteWarmer -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Specify timeout for connection to master - - - Request parameters for IndicesExists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesFlushForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html
-            
-
-
- - Whether a flush should be forced even if it is not necessarily needed ie. if no changes will be committed to the index. This is useful if transaction log IDs should be incremented even if no uncommitted changes are present. (This setting can be considered as internal) - - - If set to true a new index writer is created and settings that have been changed related to the index writer will be refreshed. Note: if a full flush is required for a setting to take effect this will be part of the settings update process and it not required to be executed by the user. (This setting can be considered as internal) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for IndicesGetAliasesForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Explicit operation timeout - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesGetMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesGetSettingsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return settings in flat format (default: false) - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesGetWarmerForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesOpen -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for IndicesOptimizeForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html
-            
-
-
- - - Does an _optimize on all indices (unless bounded by setting the Indices property). - - - - - Does an _optimize on /{index}/_optimize - - - - - Does an _optimize on /{indices}/_optimize - - - - Specify whether the index should be flushed after performing the operation (default: true) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The number of segments the index should be merged into (default: dynamic) - - - Specify whether the operation should only expunge deleted documents - - - TODO: ? - - - Specify whether the request should block until the merge process is finished (default: true) - - - Force a merge operation to run, even if there is a single segment in the index (default: false) - - - Request parameters for IndicesPutMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html
-            
-
-
- - Specify whether to ignore conflicts while updating the mapping (default: false) - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for IndicesPutSettingsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html
-            
-
-
- - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return settings in flat format (default: false) - - - Request parameters for IndicesPutTemplateForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html
-            
-
-
- - Whether the index template should only be added if new or can also replace an existing one - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Return settings in flat format (default: false) - - - Request parameters for IndicesPutWarmerForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) in the search request to warm - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices in the search request to warm. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both, in the search request to warm. - - - Request parameters for IndicesRefreshForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Force a refresh even if not required - - - TODO: ? - - - Request parameters for IndicesSegmentsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Whether to return time and byte values in human-readable format. - - - TODO: ? - - - Request parameters for IndicesStatsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html
-            
-
-
- - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of search groups for `search` index metric - - - Whether to return time and byte values in human-readable format. - - - Return stats aggregated at cluster, index or shard level - - - Request parameters for IndicesStatusForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Whether to return time and byte values in human-readable format. - - - TODO: ? - - - Return information about shard recovery - - - TODO: ? - - - Request parameters for IndicesUpdateAliasesForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Request timeout - - - Specify timeout for connection to master - - - Request parameters for IndicesValidateQueryGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html
-            
-
-
- - Return detailed information about the error - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - TODO: ? - - - The URL-encoded query definition (instead of using the request body) - - - Query in the Lucene query string syntax - - - Request parameters for Info -
-            http://www.elasticsearch.org/guide/
-            
-
-
- - Request parameters for ListBenchmarks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html
-            
-
-
- - Request parameters for MgetGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Request parameters for MltGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html
-            
-
-
- - The boost factor - - - The word occurrence frequency as count: words with higher occurrence in the corpus will be ignored - - - The maximum query terms to be included in the generated query - - - The minimum length of the word: longer words will be ignored - - - The word occurrence frequency as count: words with lower occurrence in the corpus will be ignored - - - The term frequency as percent: terms with lower occurence in the source document will be ignored - - - The minimum length of the word: shorter words will be ignored - - - Specific fields to perform the query against - - - How many terms have to match in order to consider the document a match (default: 0.3) - - - Specific routing value - - - The offset from which to return results - - - A comma-separated list of indices to perform the query against (default: the index containing the document) - - - The search query hint - - - A scroll search request definition - - - The number of documents to return (default: 10) - - - A specific search request definition (instead of using the request body) - - - Specific search type (eg. `dfs_then_fetch`, `count`, etc) - - - A comma-separated list of types to perform the query against (default: the same type as the document) - - - A list of stop words to be ignored - - - Request parameters for MsearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html
-            
-
-
- - Search operation type - - - Request parameters for MtermvectorsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html
-            
-
-
- - Specifies if total term frequency and document frequency should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - A comma-separated list of fields to return. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term offsets should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term positions should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term payloads should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specify the node or shard the operation should be performed on (default: random) .Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specific routing value. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Parent id of documents. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Request parameters for NodesInfoForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html
-            
-
-
- - Return settings in flat format (default: false) - - - Whether to return time and byte values in human-readable format. - - - Request parameters for NodesStatsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html
-            
-
-
- - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of search groups for `search` index metric - - - Whether to return time and byte values in human-readable format. - - - Return indices stats aggregated at node, index or shard level - - - A comma-separated list of document types for the `indexing` index metric - - - Request parameters for PercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - A comma-separated list of specific routing values - - - Specify the node or shard the operation should be performed on (default: random) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The index to percolate the document into. Defaults to index. - - - The type to percolate document into. Defaults to type. - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for ScrollGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html
-            
-
-
- - Request parameters for SearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
-
- - The analyzer to use for the query string - - - Specify whether wildcard and prefix queries should be analyzed (default: false) - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - Specific 'tag' of the request for logging and statistical purposes - - - Specify which field to use for suggestions - - - Specify suggest mode - - - How many suggestions to return in response - - - The source text for which the suggestions should be returned - - - Request parameters for SnapshotCreate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Should this request wait until the operation has completed before returning - - - Request parameters for SnapshotCreateRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters for SnapshotDeleteRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Request parameters for SnapshotGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Request parameters for SnapshotRestore -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Should this request wait until the operation has completed before returning - - - Request parameters for Suggest -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded request definition (instead of using request body) - - - Request parameters for TermvectorGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html
-            
-
-
- - Specifies if total term frequency and document frequency should be returned. - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. - - - A comma-separated list of fields to return. - - - Specifies if term offsets should be returned. - - - Specifies if term positions should be returned. - - - Specifies if term payloads should be returned. - - - Specify the node or shard the operation should be performed on (default: random). - - - Specific routing value. - - - Parent id of documents. - - - Request parameters for Update -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html
-            
-
-
- - Explicit write consistency setting for the operation - - - The script language (default: mvel) - - - ID of the parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specify how many times should the operation be retried when a conflict occurs (default: 0) - - - Specific routing value - - - The URL-encoded script definition (instead of using request body) - - - Explicit operation timeout - - - Explicit timestamp for the document - - - Expiration time for the document - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for Count -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Include only documents with a specific `_score` value in the result - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Request parameters for Delete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html
-            
-
-
- - Specific write consistency setting for the operation - - - ID of parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for DeleteByQuery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html
-            
-
-
- - The analyzer to use for the query string - - - Specific write consistency setting for the operation - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specific replication type - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Explicit operation timeout - - - Request parameters for Exists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - Request parameters for Get -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for GetSource -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - Request parameters for IndicesDeleteMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html
-            
-
-
- - Specify timeout for connection to master - - - Request parameters for IndicesGetMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - Request parameters for IndicesPutMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html
-            
-
-
- - - Calls putmapping on /_all/{type} - - - - - Calls putmapping on /{indices}/{type} - - - - - Calls putmapping on /{index}/{type} - - - - Specify whether to ignore conflicts while updating the mapping (default: false) - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Request parameters for IndicesValidateQueryGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html
-            
-
-
- - Return detailed information about the error - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - TODO: ? - - - The URL-encoded query definition (instead of using the request body) - - - Query in the Lucene query string syntax - - - Request parameters for MltGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html
-            
-
-
- - The boost factor - - - The word occurrence frequency as count: words with higher occurrence in the corpus will be ignored - - - The maximum query terms to be included in the generated query - - - The minimum length of the word: longer words will be ignored - - - The word occurrence frequency as count: words with lower occurrence in the corpus will be ignored - - - The term frequency as percent: terms with lower occurence in the source document will be ignored - - - The minimum length of the word: shorter words will be ignored - - - Specific fields to perform the query against - - - How many terms have to match in order to consider the document a match (default: 0.3) - - - Specific routing value - - - The offset from which to return results - - - A comma-separated list of indices to perform the query against (default: the index containing the document) - - - The search query hint - - - A scroll search request definition - - - The number of documents to return (default: 10) - - - A specific search request definition (instead of using the request body) - - - Specific search type (eg. `dfs_then_fetch`, `count`, etc) - - - A comma-separated list of types to perform the query against (default: the same type as the document) - - - A list of stop words to be ignored - - - Request parameters for SearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
-
- - The analyzer to use for the query string - - - Specify whether wildcard and prefix queries should be analyzed (default: false) - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - Specific 'tag' of the request for logging and statistical purposes - - - Specify which field to use for suggestions - - - Specify suggest mode - - - How many suggestions to return in response - - - The source text for which the suggestions should be returned - - - Request parameters for TermvectorGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html
-            
-
-
- - Specifies if total term frequency and document frequency should be returned. - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. - - - A comma-separated list of fields to return. - - - Specifies if term offsets should be returned. - - - Specifies if term positions should be returned. - - - Specifies if term payloads should be returned. - - - Specify the node or shard the operation should be performed on (default: random). - - - Specific routing value. - - - Parent id of documents. - - - - ElasticClient is NEST's strongly typed client which exposes fully mapped elasticsearch endpoints - - - - - Helper method that allows you to reindex from one index into another using SCAN and SCROLL. - - An IObservable you can subscribe to to listen to the progress of the reindexation process - - - - A search request can be scrolled by specifying the scroll parameter. - The scroll parameter is a time value parameter (for example: scroll=5m), - indicating for how long the nodes that participate in the search will maintain relevant resources in - order to continue and support it. - This is very similar in its idea to opening a cursor against a database. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-request-scroll.html - - The type that represents the result hits - A descriptor that describes the scroll operation - A query response holding T hits as well as the ScrollId for the next scroll operation - - - - - - - - - - - - - The update API allows to update a document based on a script provided. - The operation gets the document (collocated with the shard) from the index, runs the script - (with optional script language and parameters), and index back the result - (also allows to delete, or ignore the operation). - It uses versioning to make sure no updates have happened during the "get" and "reindex". - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-update.html - - The type to describe the document to be updated - a descriptor that describes the update operation - - - - - - - - - - - - - - - - - - - - - - - - - Change specific index level settings in real time. Note not all index settings CAN be updated. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-update-settings.html - - A descriptor that strongly types all the updateable settings - - - - - - - - - - - - - The validate API allows a user to validate a potentially expensive query without executing it. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-validate.html - - The type used to describe the query - A descriptor that describes the query operation - - - - - - - - - - - - - The open and close index APIs allow to close an index, and later on opening it. - A closed index has almost no overhead on the cluster (except for maintaining its metadata), and is blocked - for read/write operations. - A closed index can be opened which will then go through the normal recovery process. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-open-close.html - - A descriptor thata describes the open index operation - - - - - - - - - - - - - The open and close index APIs allow to close an index, and later on opening it. - A closed index has almost no overhead on the cluster (except for maintaining its metadata), and is blocked - for read/write operations. - A closed index can be opened which will then go through the normal recovery process. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-open-close.html - - A descriptor thata describes the close index operation - - - - - - - - - - - - - The refresh API allows to explicitly refresh one or more index, making all operations performed since the last refresh - available for search. The (near) real-time capabilities depend on the index engine used. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-refresh.html - - A descriptor that describes the parameters for the refresh operation - - - - - - - - - - - - - Provide low level segments information that a Lucene index (shard level) is built with. - Allows to be used to provide more information on the state of a shard and an index, possibly optimization information, - data "wasted" on deletes, and so on. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-segments.html - - A descriptor that describes the parameters for the segments operation - - - - - - - - - - - - - The cluster state API allows to get a comprehensive state information of the whole cluster. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-state.html - - A descriptor that describes the parameters for the cluster state operation - - - - - - - - - - - - - Allows to put a warmup search request on a specific index (or indices), with the body composing of a regular - search request. Types can be provided as part of the URI if the search request is designed to be run only - against the specific types. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-warmers.html#warmer-adding - - The name for the warmer that you want to register - A descriptor that further describes what the warmer should look like - - - - - - - - - - - - - Getting a warmer for specific index (or alias, or several indices) based on its name. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-warmers.html#warmer-retrieving - - The name of the warmer to get - An optional selector specifying additional parameters for the get warmer operation - - - - - - - - - - - - - Deletes a warmer - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-warmers.html#removing - - The name of the warmer to delete - An optional selector specifying additional parameters for the delete warmer operation - - - - - - - - - - - - - Gets an index template - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-templates.html#getting - - The name of the template to get - An optional selector specifying additional parameters for the get template operation - - - - - - - - - - - - - Index templates allow to define templates that will automatically be applied to new indices created. - The templates include both settings and mappings, and a simple pattern template that controls if - the template will be applied to the index created. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-templates.html - - The name of the template to register - An optional selector specifying additional parameters for the put template operation - - - - - - - - - - - - - Deletes an index template - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-templates.html#delete - - The name of the template to delete - An optional selector specifying additional parameters for the delete template operation - - - - - - - - - - - - - - - - - - - Unregister a percolator - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-percolate.html - - The name for the percolator - An optional descriptor describing the unregister percolator operation further - - - - - - - - - - - - - Register a percolator - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-percolate.html - - The type to infer the index/type from, will also be used to strongly type the query - The name for the percolator - An optional descriptor describing the register percolator operation further - - - - - - - - - - - - - Percolate a document - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-percolate.html - - The type to infer the index/type from, and of the object that is being percolated - An optional descriptor describing the percolate operation further - - - - - - - - - - - - - Percolate a document but only return the number of matches not the matches itself - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-percolate.html - - The type to infer the index/type from, and of the object that is being percolated - The object to percolator - An optional descriptor describing the percolate operation further - - - - - - - - - - - - - The put mapping API allows to register specific mapping definition for a specific type. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-put-mapping.html - - The type we want to map in elasticsearch - A descriptor to describe the mapping of our type - - - - - - - - - - - - - The get mapping API allows to retrieve mapping definitions for an index or index/type. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-get-mapping.html - - A descriptor that describes the parameters for the get mapping operation - - - - - - - - - - - - - Allow to delete a mapping (type) along with its data. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-delete-mapping.html - - A descriptor that describes the parameters for the delete mapping operation - - - - - - - - - - - - - The flush API allows to flush one or more indices through an API. The flush process of an index basically - frees memory from the index by flushing data to the index storage and clearing the internal transaction log. - By default, Elasticsearch uses memory heuristics in order to automatically trigger - flush operations as required in order to clear memory. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-flush.html - - A descriptor that describes the parameters for the flush operation - - - - - - - - - - - - - The get settings API allows to retrieve settings of index/indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-get-settings.html - - A descriptor that describes the parameters for the get index settings operation - - - - - - - - - - - - - The delete index API allows to delete an existing index. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-delete-index.html - - A descriptor that describes the parameters for the delete index operation - - - - - - - - - - - - - The clear cache API allows to clear either all caches or specific cached associated with one ore more indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-clearcache.html - - A descriptor that describes the parameters for the clear cache operation - - - - - - - - - - - - - The create index API allows to instantiate an index. Elasticsearch provides support for multiple indices, - including executing operations across several indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-create-index.html - - A descriptor that describes the parameters for the create index operation - - - - - - - - - - - - - Does a request to the root of an elasticsearch node - - A descriptor to further describe the root operation - - - - - - - - - - - - - Indices level stats provide statistics on different operations happening on an index. The API provides statistics on - the index level scope (though most stats can also be retrieved using node level scope). - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-stats.html - - Optionaly further describe the indices stats operation - - - - - - - - - - - - - The cluster nodes info API allows to retrieve one or more (or all) of the cluster nodes information. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-nodes-info.html - - An optional descriptor to further describe the nodes info operation - - - - - - - - - - - - - The cluster nodes stats API allows to retrieve one or more (or all) of the cluster nodes statistics. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-nodes-stats.html - - An optional descriptor to further describe the nodes stats operation - - - - - - - - - - - - - An API allowing to get the current hot threads on each node in the cluster. - - - An optional descriptor to further describe the nodes hot threads operation - - - - - - - - - - - - - Allows to shutdown one or more (or all) nodes in the cluster. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-nodes-shutdown.html#cluster-nodes-shutdown - - A descriptor that describes the nodes shutdown operation - - - - - - - - - - - - - Used to check if the index (indices) exists or not. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-exists.html - - A descriptor that describes the index exist operation - - - - - - - - - - - - - The more like this (mlt) API allows to get documents that are "like" a specified document. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-more-like-this.html - - Type used to infer the default index and typename and used to describe the search - A descriptor that describes the more like this operation - - - - - - - - - - - - - The cluster health API allows to get a very simple status on the health of the cluster. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-health.html - - An optional descriptor to further describe the cluster health operation - - - - - - - - - - - - - allows to retrieve statistics from a cluster wide perspective. The API returns basic index metrics - (shard numbers, store size, memory usage) and information about the current nodes that form the - cluster (number, roles, os, jvm versions, memory usage, cpu and installed plugins). - - A descriptor that describes the cluster stats operation - - - - - - - - - - - - - Performs the analysis process on a text and return the tokens breakdown of the text. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-analyze.html - - A descriptor that describes the analyze operation - - - - - - - - - - - - - The search API allows to execute a search query and get back search hits that match the query. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-search.html - - The type used to infer the index and typename as well describe the query strongly typed - A descriptor that describes the parameters for the search operation - - - - - - - - - - - - - The type used to infer the index and typename as well describe the query strongly typed - A descriptor that describes the parameters for the search operation - - - - - - - - - - - - - The /_search/template endpoint allows to use the mustache language to pre render search - requests, before they are executed and fill existing templates with template parameters. - - The type used to infer the index and typename as well describe the query strongly typed - A descriptor that describes the parameters for the search operation - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - The multi search API allows to execute several search requests within the same API. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-multi-search.html - - A descriptor that describes the search operations on the multi search api - - - - - - - - - - - - - The count API allows to easily execute a query and get the number of matches for that query. - It can be executed across one or more indices and across one or more types. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-count.html - - The type used to infer the default index and typename as well as describe the strongly - typed parts of the query - An optional descriptor to further describe the count operation - - - - - - - - - - - - - The delete by query API allows to delete documents from one or more indices and one or more types based on a query. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete-by-query.html - - The type used to infer the default index and typename as well as describe the strongly - typed parts of the query - An optional descriptor to further describe the delete by query operation - - - - - - - - - - - - - The bulk API makes it possible to perform many index/delete operations in a single API call. - This can greatly increase the indexing speed. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-bulk.html - - A descriptor the describe the index/create/delete operation for this bulk operation - - - - - - - - - - - - - The index API adds or updates a typed JSON document in a specific index, making it searchable. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-index_.html - - The type used to infer the default index and typename - The object to be indexed, Id will be inferred (Id property or IdProperty attribute on type) - Optionally furter describe the index operation i.e override type/index/id - - - - - - - - - - - - - The delete API allows to delete a typed JSON document from a specific index based on its id. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-delete.html - - The type used to infer the default index and typename - Describe the delete operation, i.e type/index/id - - - - - - - - - - - - - Multi GET API allows to get multiple documents based on an index, type (optional) and id (and possibly routing). - The response includes a docs array with all the fetched documents, each element similar in structure to a document - provided by the get API. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-get.html - - A descriptor describing which documents should be fetched - - - - - - - - - - - - - Use the /{index}/{type}/{id}/_source endpoint to get just the _source field of the document, - without any additional content around it. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#_source - - The type used to infer the default index and typename - A descriptor that describes which document's source to fetch - - - - - - - - - - - - - Use the /{index}/{type}/{id} to get the document and its metadata - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html#_source - - The type used to infer the default index and typename - A descriptor that describes which document's source to fetch - - - - - - - - - - - - - APIs in elasticsearch accept an index name when working against a specific index, and several indices when applicable. - The index aliases API allow to alias an index with a name, with all APIs automatically converting the alias name to the - actual index name. An alias can also be mapped to more than one index, and when specifying it, the alias - will automatically expand to the aliases indices.i An alias can also be associated with a filter that will - automatically be applied when searching, and routing values. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-aliases.html - - A desriptor that describes the parameters for the alias operation - - - - - - - - - - - - - The get index alias api allows to filter by alias name and index name. This api redirects to the master and fetches - the requested index aliases, if available. This api only serialises the found index aliases. - Difference with GetAlias is that this call will also return indices without aliases set - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-aliases.html#alias-retrieving - - A descriptor that describes which aliases/indexes we are interested int - - - - - - - - - - - - - The get index alias api allows to filter by alias name and index name. This api redirects to the master and fetches - the requested index aliases, if available. This api only serialises the found index aliases. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-aliases.html#alias-retrieving - - A descriptor that describes which aliases/indexes we are interested int - - - - - - - - - - - - - Add a single index alias - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-aliases.html#alias-adding - - A descriptor that describes the put alias request - - - - - - - - - - - - - Delete an index alias - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-aliases.html#deleting - - A descriptor that describes the delete alias request - - - - - - - - - - - - - The optimize API allows to optimize one or more indices through an API. The optimize process basically optimizes - the index for faster search operations (and relates to the number of segments a Lucene index holds within each shard). - The optimize operation allows to reduce the number of segments by merging them. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-optimize.html - - An optional descriptor that further describes the optimize operation, i.e limit it to one index - - - - - - - - - - - - - The indices status API allows to get a comprehensive status information of one or more indices. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/indices-status.html - - An optional descriptor that further describes the status operation, i.e limiting it to certain indices - - - - - - - - - - - - - Returns information and statistics on terms in the fields of a particular document as stored in the index. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-termvectors.html - - - - - - - - - - - - - - - - Multi termvectors API allows to get multiple termvectors based on an index, type and id. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-multi-termvectors.html - - The type used to infer the default index and typename - The descriptor describing the multi termvectors operation - - - - - - - - - - - - - The suggest feature suggests similar looking terms based on a provided text by using a suggester. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-suggesters.html - - The type used to strongly type parts of the suggest operation - The suggesters to use this operation (can be multiple) - - - - - - - - - - - - - Deletes a registered scroll request on the cluster - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/search-request-scroll.html - - Specify the scroll id as well as request specific configuration - - - - - - - - - - - - - Check if a document exists without returning its contents - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/docs-get.html - - The type used to infer the default index and typename - Describe what document we are looking for - - - - - - - - - - - - - Before any snapshot or restore operation can be performed a snapshot repository should be registered in Elasticsearch. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/modules-snapshots.html#_repositories - - The name for the repository - describe what the repository looks like - - - - - - - - - - - - - Delete a repository, if you have ongoing restore operations be sure to delete the indices being restored into first. - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/modules-snapshots.html#_repositories - - The name of the repository - Optionaly provide the delete operation with more details> - - - - - - - - - - - - - A repository can contain multiple snapshots of the same cluster. Snapshot are identified by unique names within the cluster. - /// http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/modules-snapshots.html#_snapshot - - The name of the repository we want to create a snapshot in - The name of the snapshot - Optionally provide more details about the snapshot operation - - - - - - - - - - - - - Delete a snapshot - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/modules-snapshots.html#_snapshot - - The repository name under which the snapshot we want to delete lives - The name of the snapshot that we want to delete - Optionally further describe the delete snapshot operation - - - - - - - - - - - - - Gets information about one or more snapshots - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/modules-snapshots.html#_snapshot - - The repository name under which the snapshots live - The names of the snapshots we want information from (can be _all or wildcards) - Optionally further describe the get snapshot operation - - - - - - - - - - - - - Restore a snapshot - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/modules-snapshots.html#_restore - - The repository name that holds our snapshot - The name of the snapshot that we want to restore - Optionally further describe the restore operation - - - - - - - - - - - - - Allows to update cluster wide specific settings. Settings updated can either be persistent - (applied cross restarts) or transient (will not survive a full cluster restart). - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-update-settings.html - - - - - - - - - - - - - - Gets cluster wide specific settings. Settings updated can either be persistent - (applied cross restarts) or transient (will not survive a full cluster restart). - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/cluster-update-settings.html - - - - - - - - - - - - - - Returns a list of any cluster-level changes (e.g. create index, update mapping, allocate or fail shard) which have not yet been executed. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Executes a HEAD request to the cluster to determine whether it's up or not. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Perform any request you want over the configured IConnection synchronously while taking advantage of the cluster failover. - - The type representing the response JSON - the HTTP Method to use - The path of the the url that you would like to hit - The body of the request, string and byte[] are posted as is other types will be serialized to JSON - Optionally configure request specific timeouts, headers - An ElasticsearchResponse of T where T represents the JSON response body - - - - Perform any request you want over the configured IConnection asynchronously while taking advantage of the cluster failover. - - The type representing the response JSON - the HTTP Method to use - The path of the the url that you would like to hit - The body of the request, string and byte[] are posted as is other types will be serialized to JSON - Optionally configure request specific timeouts, headers - A task of ElasticsearchResponse of T where T represents the JSON response body - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Perform any request you want over the configured IConnection while taking advantage of the cluster failover. - - The type representing the response JSON - the HTTP Method to use - The path of the the url that you would like to hit - The body of the request, string and byte[] are posted as is other types will be serialized to JSON - Optionally configure request specific timeouts, headers - An ElasticsearchResponse of T where T represents the JSON response body - - - - Perform any request you want over the configured IConnection asynchronously while taking advantage of the cluster failover. - - The type representing the response JSON - the HTTP Method to use - The path of the the url that you would like to hit - The body of the request, string and byte[] are posted as is other types will be serialized to JSON - Optionally configure request specific timeouts, headers - A task of ElasticsearchResponse of T where T represents the JSON response body - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Because the nodes.hot_threads endpoint returns plain text instead of JSON, we have to - manually parse the response text into a typed response object. - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Instantiate a new strongly typed connection to elasticsearch - - An optional settings object telling the client how and where to connect to. - Defaults to a static single node connection pool to http://localhost:9200 - It's recommended to pass an explicit 'new ConnectionSettings()' instance - - Optionally provide a different connection handler, defaults to http using HttpWebRequest - Optionally provide a custom serializer responsible for taking a stream and turning into T - The transport coordinates requests between the client and the connection pool and the connection - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Deserialize an object - - The type you want to deserialize too - The stream to deserialize off - - - - Deserialize to type T bypassing checks for custom deserialization state and or BaseResponse return types. - - - - - _msearch needs a specialized json format in the body - - - - descriptor for SnapshotGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - descriptor for MtermvectorsGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-termvectors.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}/{type}
-            
- Where neither parameter is optional -
-
- - Specifies if total term frequency and document frequency should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - A comma-separated list of fields to return. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - A comma-separated list of fields to return. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term offsets should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term positions should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specifies if term payloads should be returned. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specify the node or shard the operation should be performed on (default: random) .Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Specific routing value. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - Parent id of documents. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - descriptor for SnapshotRestore -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Should this request wait until the operation has completed before returning - - - descriptor for SnapshotCreate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - Explicit operation timeout for connection to master node - - - Should this request wait until the operation has completed before returning - - - descriptor for SnapshotDeleteRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path that contains a -
-            {repository}
-            
- routing value -
-
- - - Specify the name of the repository we are targeting - - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - - optional - Hadoop file-system URI - - - - - required - path with the file-system where data is stored/loaded - - - - - whether to load the default Hadoop configuration (default) or not - - - - - - Hadoop configuration XML to be loaded (use commas for multi values) - - - - - - 'inlined' key=value added to the Hadoop configuration - - - - - - - When set to true metadata files are stored in compressed format. This setting doesn't - affect index files that are already compressed by default. Defaults to false. - - - - - - Throttles the number of streams (per node) preforming snapshot operation. Defaults to 5 - - - - - - Big files can be broken down into chunks during snapshotting if needed. - The chunk size can be specified in bytes or by using size value notation, - i.e. 1g, 10m, 5k. Disabled by default - - - - - - Container name. Defaults to elasticsearch-snapshots - - - - - - Specifies the path within container to repository data. Defaults to empty (root directory). - - - - - - - When set to true metadata files are stored in compressed format. This setting doesn't - affect index files that are already compressed by default. Defaults to false. - - - - - - Throttles the number of streams (per node) preforming snapshot operation. Defaults to 5 - - - - - - Big files can be broken down into chunks during snapshotting if needed. - The chunk size can be specified in bytes or by using size value notation, - i.e. 1g, 10m, 5k. Defaults to 64m (64m max) - - - - - - The name of the bucket to be used for snapshots. (Mandatory) - - - - - - The region where bucket is located. Defaults to US Standard - - - - - - - Specifies the path within bucket to repository data. Defaults to root directory. - - - - - - - The access key to use for authentication. Defaults to value of cloud.aws.access_key. - - - - - - - The secret key to use for authentication. Defaults to value of cloud.aws.secret_key. - - - - - - - When set to true metadata files are stored in compressed format. This setting doesn't - affect index files that are already compressed by default. Defaults to false. - - - - - - Throttles the number of streams (per node) preforming snapshot operation. Defaults to 5 - - - - - - Big files can be broken down into chunks during snapshotting if needed. - The chunk size can be specified in bytes or by using size value notation, - i.e. 1g, 10m, 5k. Defaults to 100m. - - - - - - Location of the snapshots. Mandatory. - - - - - - Turns on compression of the snapshot files. Defaults to true. - - - - - - Throttles the number of streams (per node) preforming snapshot operation. Defaults to 5 - - - - - - Big files can be broken down into chunks during snapshotting if needed. - The chunk size can be specified in bytes or by using size value notation, i.e. 1g, 10m, 5k. - Defaults to null (unlimited chunk size). - - - - - - Throttles per node restore rate. Defaults to 20mb per second. - - - - - - Throttles per node snapshot rate. Defaults to 20mb per second. - - - - - - Location of the snapshots. Mandatory. - - - - - - Throttles the number of streams (per node) preforming snapshot operation. Defaults to 5 - - - - - A comma-separated list of fields to return the fielddata size - - - A comma-separated list of fields to return in the response - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - A comma-separated list of fields to return in the response - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Use the analyzer configured for this field (instead of passing the analyzer name) - - - A comma-separated list of fields to clear when using the `field_data` parameter (default: all) - - - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of fields to return in the response - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - Specific fields to perform the query against - - - A comma-separated list of fields to return. Applies to all returned documents unless otherwise specified in body "params" or "docs". - - - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - Specify which field to use for suggestions - - - A comma-separated list of fields to return. - - - descriptor for ClearScroll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html
-            
-
-
- - - Specify the {name} part of the operation - - - - descriptor for SnapshotCreateRepository -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/modules-snapshots.html
-            
-
-
- - - The shared file system repository ("type": "fs") is using shared file system to store snapshot. - The path specified in the location parameter should point to the same location in the shared - filesystem and be accessible on all data and master nodes. - - - - - - - The URL repository ("type": "url") can be used as an alternative read-only way to access data - created by shared file system repository is using shared file system to store snapshot. - - - - - - - Specify an azure storage container to snapshot and restore to. (defaults to a container named elasticsearch-snapshots) - - - - - Create an snapshot/restore repository that points to an HDFS filesystem - - - - - - - Register a custom repository - - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - descriptor for Index -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-index_.html
-            
-
-
- - Explicit write consistency setting for the operation - - - Explicit operation type - - - ID of the parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit timestamp for the document - - - Expiration time for the document - - - Explicit version number for concurrency control - - - Specific version type - - - descriptor for CountPercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - - The object to perculate - - - - - The object to perculate - - - - - The object to perculate - - - - - The object to perculate - - - - - Make sure we keep calculating score even if we are sorting on a field. - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort ascending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort descending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort ascending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort descending. - - - - - - Sort() allows you to fully describe your sort unlike the SortAscending and SortDescending aliases. - - - - - - SortGeoDistance() allows you to sort by a distance from a geo point. - - - - - - SortScript() allows you to sort by a distance from a geo point. - - - - - - Describe the query to perform using a query descriptor lambda - - - - - Shortcut to .Query(q=>q.QueryString(qs=>qs.Query("string")) - Does a match_all if the userInput string is null or empty; - - - - - Filter search using a filter descriptor lambda - - - - - Filter search - - - - A comma-separated list of specific routing values - - - Specify the node or shard the operation should be performed on (default: random) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The index to count percolate the document into. Defaults to index. - - - The type to count percolate document into. Defaults to type. - - - Explicit version number for concurrency control - - - Specific version type - - - descriptor for Suggest -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{indices}
-            
- {indices} is optional but AllIndices() needs to be explicitly called. -
-
- - - To avoid repetition of the suggest text, it is possible to define a global text. - - - - - The term suggester suggests terms based on edit distance. The provided suggest text is analyzed before terms are suggested. - The suggested terms are provided per analyzed suggest text token. The term suggester doesn’t take the query into account that is part of request. - - - - - The phrase suggester adds additional logic on top of the term suggester to select entire corrected phrases - instead of individual tokens weighted based on ngram-langugage models. - - - - - The completion suggester is a so-called prefix suggester. - It does not do spell correction like the term or phrase suggesters but allows basic auto-complete functionality. - - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded request definition (instead of using request body) - - - descriptor for IndicesClose -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}
-            
- index is not optional -
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - descriptor for ClusterState -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-state.html
-            
-
-
- - Return local information, do not retrieve the state from master node (default: false) - - - Specify timeout for connection to master - - - Return settings in flat format (default: false) - - - descriptor for IndicesClearCacheForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-clearcache.html
-            
-
-
- - Clear field data - - - A comma-separated list of fields to clear when using the `field_data` parameter (default: all) - - - A comma-separated list of fields to clear when using the `field_data` parameter (default: all) - - - Clear filter caches - - - Clear filter caches - - - A comma-separated list of keys to clear when using the `filter_cache` parameter (default: all) - - - Clear ID caches for parent/child - - - Clear ID caches for parent/child - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - A comma-separated list of index name to limit the operation - - - Clear the recycler cache - - - descriptor for GetSource -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - descriptor for NodesStatsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-stats.html
-            
-
-
- - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of search groups for `search` index metric - - - Whether to return time and byte values in human-readable format. - - - Return indices stats aggregated at node, index or shard level - - - A comma-separated list of document types for the `indexing` index metric - - - descriptor for NodesInfoForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-nodes-info.html
-            
-
-
- - Return settings in flat format (default: false) - - - Whether to return time and byte values in human-readable format. - - - descriptor for ClusterHealth -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-health.html
-            
-
-
- - Specify the level of detail for returned information - - - Return local information, do not retrieve the state from master node (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - Wait until the specified number of shards is active - - - Wait until the specified number of nodes is available - - - Wait until the specified number of relocating shards is finished - - - Wait until cluster is in a specific state - - - descriptor for IndicesAnalyzeGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-analyze.html
-            
-
-
- - The name of the analyzer to use - - - A comma-separated list of character filters to use for the analysis - - - Use the analyzer configured for this field (instead of passing the analyzer name) - - - Use the analyzer configured for this field (instead of passing the analyzer name) - - - A comma-separated list of filters to use for the analysis - - - The name of the index to scope the operation - - - With `true`, specify that a local shard should be used if available, with `false`, use a random shard (default: true) - - - The text on which the analysis should be performed (when request body is not used) - - - The name of the tokenizer to use for the analysis - - - Format of the output - - - descriptor for IndicesUpdateAliasesForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Request timeout - - - Specify timeout for connection to master - - - descriptor for IndicesStatusForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-status.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Whether to return time and byte values in human-readable format. - - - TODO: ? - - - Return information about shard recovery - - - TODO: ? - - - descriptor for IndicesGetAliasesForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-aliases.html
-            
-
-
- - Explicit operation timeout - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for Delete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete.html
-            
-
-
- - Specific write consistency setting for the operation - - - ID of parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specific routing value - - - Explicit operation timeout - - - Explicit version number for concurrency control - - - Specific version type - - - descriptor for Exists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - descriptor for Count -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-count.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Include only documents with a specific `_score` value in the result - - - Specify the node or shard the operation should be performed on (default: random) - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - descriptor for IndicesExists -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-settings.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesStatsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-stats.html
-            
-
-
- - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `suggest` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of fields for `fielddata` and `completion` index metric (supports wildcards) - - - A comma-separated list of search groups for `search` index metric - - - Whether to return time and byte values in human-readable format. - - - Return stats aggregated at cluster, index or shard level - - - descriptor for Info -
-            http://www.elasticsearch.org/guide/
-            
-
-
- - descriptor for IndicesGetSettingsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return settings in flat format (default: false) - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesDelete -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-index.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - descriptor for IndicesFlushForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-flush.html
-            
-
-
- - Whether a flush should be forced even if it is not necessarily needed ie. if no changes will be committed to the index. This is useful if transaction log IDs should be incremented even if no uncommitted changes are present. (This setting can be considered as internal) - - - If set to true a new index writer is created and settings that have been changed related to the index writer will be refreshed. Note: if a full flush is required for a setting to take effect this will be part of the settings update process and it not required to be executed by the user. (This setting can be considered as internal) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - descriptor for IndicesDeleteMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-delete-mapping.html
-            
-
-
- - Specify timeout for connection to master - - - descriptor for IndicesGetMappingForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-get-mapping.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - - Provides a base for descriptors that need to describe a path in the form of -
-            /{indices}/{type}
-            
- {indices} is optional and so is {type} and will fallback to default of T -
-
- - descriptor for TermvectorGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-termvectors.html
-            
-
-
- - Specifies if total term frequency and document frequency should be returned. - - - Specifies if document count, sum of document frequencies and sum of total term frequencies should be returned. - - - A comma-separated list of fields to return. - - - A comma-separated list of fields to return. - - - Specifies if term offsets should be returned. - - - Specifies if term positions should be returned. - - - Specifies if term payloads should be returned. - - - Specify the node or shard the operation should be performed on (default: random). - - - Specific routing value. - - - Parent id of documents. - - - descriptor for DeleteTemplate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html
-            
-
-
- - descriptor for GetTemplate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-template.html
-            
-
-
- - descriptor for IndicesDeleteWarmer -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Specify timeout for connection to master - - - descriptor for IndicesSegmentsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-segments.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Whether to return time and byte values in human-readable format. - - - TODO: ? - - - descriptor for IndicesRefreshForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-refresh.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Force a refresh even if not required - - - TODO: ? - - - descriptor for IndicesOptimizeForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-optimize.html
-            
-
-
- - Specify whether the index should be flushed after performing the operation (default: true) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The number of segments the index should be merged into (default: dynamic) - - - Specify whether the operation should only expunge deleted documents - - - TODO: ? - - - Specify whether the request should block until the merge process is finished (default: true) - - - Force a merge operation to run, even if there is a single segment in the index (default: false) - - - descriptor for IndicesOpen -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-open-close.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - descriptor for ScrollGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-request-scroll.html
-            
-
-
- - Specify how long a consistent view of the index should be maintained for scrolled search - - - The scroll id used to continue/start the scrolled pagination - - - descriptor for IndicesPutSettingsForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-update-settings.html
-            
-
-
- - - Provides a base for descriptors that need to describe a path in the form of -
-            /{index}
-            
- index is optional but AllIndices() needs to be explicitly specified for it to be optional -
-
- - - The number of replicas each shard has. - - - - - Set to an actual value (like 0-all) or false to disable it. - - - - - Set to true to have the index read only, false to allow writes and metadta changes. - - - - - Set to true to disable read operations againstthe index. - - - - - Set to true to disable write operations against the index. - - - - - Set to true to disable metadata operations against the index. - - - - - The async refresh interval of a shard. - - - - - Defaults to 8. - - - - - Codec. Default to default. - - - - - Whether to load the bloom filter. Defaults to true. - [coming in 0.90.9] Coming in 0.90.9.. See the section called “Bloom filter posting format”. - - - - - Default to true. - - - - - When to flush based on operations. - - - - - When to flush based on translog (bytes) size. - - - - - When to flush based on a period of not flushing. - - - - - Disables flushing. Note, should be set for a short interval and then enabled. - - - - - The maximum size of filter cache (per segment in shard). Set to -1 to disable. - - - - - The expire after access time for filter cache. Set to -1 to disable. - - - - - The gateway snapshot interval (only applies to shared gateways). Defaults to 10s. - - - - - A node matching any rule will be allowed to host shards from the index. - - - - - A node matching any rule will NOT be allowed to host shards from the index. - - - - - Only nodes matching all rules will be allowed to host shards from the index. - - - - - Enables shard allocation for a specific index. - - - - - Disable allocation. Defaults to false. - - - - - Disable new allocation. Defaults to false. - - - - - Disable replica allocation. Defaults to false. - - - - - Controls the total number of shards allowed to be allocated on a single node. Defaults to unbounded (-1). - - - - - When using local gateway a particular shard is recovered only if there can be allocated quorum shards in the cluster. - It can be set to: - quorum (default) - quorum-1 (or half) - full - full-1. - Number values are also supported, e.g. 1. - - - - - Disables temporarily the purge of expired docs. - - - - - Disables temporarily the purge of expired docs. - - - - - Either simple or buffered (default). - - - - - See index.compound_format in the section called “Index Settings”. - - - - - See `index.compound_on_flush in the section called “Index Settings”. - - - - - See Warmers. Defaults to true. - - - - - When updating analysis settings you need to close and open the index prior and afterwards - - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return settings in flat format (default: false) - - - descriptor for DeleteByQuery -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-delete-by-query.html
-            
-
-
- - The analyzer to use for the query string - - - Specific write consistency setting for the operation - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specific replication type - - - Query in the Lucene query string syntax - - - Specific routing value - - - The URL-encoded query definition (instead of using the request body) - - - Explicit operation timeout - - - - when rest.action.multi.allow_explicit_index is set to false you can use this constructor to generate a multiget operation - with no index and type set -
-            See also: https://github.com/elasticsearch/elasticsearch/issues/3636
-            
-
- -
- - - Manually set the index, default to the default index or the index set for the type on the connectionsettings. - - - - - Manualy set the type to get the object from, default to whatever - T will be inferred to if not passed. - - - - - Manually set the type of which a typename will be inferred - - - - - Control how the document's source is loaded - - - - - Control how the document's source is loaded - - - - - Set the routing for the get operation - - - - - Allows to selectively load specific fields for each document - represented by a search hit. Defaults to load the internal _source field. - - - - - Allows to selectively load specific fields for each document - represented by a search hit. Defaults to load the internal _source field. - - - - descriptor for AbortBenchmark -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html
-            
-
-
- - descriptor for Bulk -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-bulk.html
-            
-
-
- - Explicit write consistency setting for the operation - - - Refresh the index after performing the operation - - - Explicitely set the replication type - - - Specific routing value - - - Explicit operation timeout - - - Default document type for items which don't provide one - - - - CreateMany, convenience method to create many documents at once. - - the objects to create - A func called on each object to describe the individual create operation - - - - IndexMany, convenience method to pass many objects at once. - - the objects to index - A func called on each object to describe the individual index operation - - - - DeleteMany, convenience method to delete many objects at once. - - the objects to delete - A func called on each object to describe the individual delete operation - - - - DeleteMany, convenience method to delete many objects at once. - - Enumerable of string ids to delete - A func called on each ids to describe the individual delete operation - - - - DeleteMany, convenience method to delete many objects at once. - - Enumerable of int ids to delete - A func called on each ids to describe the individual delete operation - - - descriptor for CatHelp -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cat.html
-            
-
-
- - Return help information - - - descriptor for ClusterReroute -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/cluster-reroute.html
-            
-
-
- - Simulate the operation only and return the resulting state - - - Return an explanation of why the commands can or cannot be executed - - - Don't return cluster state metadata (default: false) - - - Explicit operation timeout for connection to master node - - - Explicit operation timeout - - - descriptor for Get -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - A comma-separated list of fields to return in the response - - - The ID of the parent document - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - Specific routing value - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - A list of fields to extract and return from the _source field - - - Explicit version number for concurrency control - - - Specific version type - - - descriptor for IndicesCreate -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-create-index.html
-            
-
-
- - Explicit operation timeout - - - Specify timeout for connection to master - - - - Initialize the descriptor using the values from for instance a previous Get Index Settings call. - - - - - Set the number of shards (if possible) for the new index. - - - - - - - Set the number of replicas (if possible) for the new index. - - - - - - - Set/Update settings, the index.* prefix is not needed for the keys. - - - - - Remove an existing mapping by name - - - - - Remove an exisiting mapping by inferred type name - - - - - Add an alias for this index upon index creation - - - - - Add a new mapping for T - - - - - Add a new mapping using the first rootObjectMapping parameter as the base to construct the new mapping. - Handy if you wish to reuse a mapping. - - - - - Set up analysis tokenizers, filters, analyzers - - - - descriptor for IndicesGetWarmerForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Return local information, do not retrieve the state from master node (default: false) - - - descriptor for IndicesPutMapping -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-put-mapping.html
-            
-
-
- - Specify whether to ignore conflicts while updating the mapping (default: false) - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - - Convenience method to map from most of the object from the attributes/properties. - Later calls can override whatever is set is by this call. - This helps mapping all the ints as ints, floats as floats etcetera withouth having to be overly verbose in your fluent mapping - - - - - descriptor for IndicesPutTemplateForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-templates.html
-            
-
-
- - Whether the index template should only be added if new or can also replace an existing one - - - Explicit operation timeout - - - Specify timeout for connection to master - - - Return settings in flat format (default: false) - - - - Initialize the descriptor using the values from for instance a previous Get Template Mapping call. - - - - descriptor for IndicesPutWarmerForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/indices-warmers.html
-            
-
-
- - Specify timeout for connection to master - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) in the search request to warm - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices in the search request to warm. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both, in the search request to warm. - - - descriptor for IndicesValidateQueryGetForAll -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-validate.html
-            
-
-
- - Return detailed information about the error - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - TODO: ? - - - The URL-encoded query definition (instead of using the request body) - - - Query in the Lucene query string syntax - - - descriptor for ListBenchmarks -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/master/search-benchmark.html
-            
-
-
- - descriptor for MgetGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-multi-get.html
-            
-
-
- - A comma-separated list of fields to return in the response - - - A comma-separated list of fields to return in the response - - - Specify the node or shard the operation should be performed on (default: random) - - - Specify whether to perform the operation in realtime or search mode - - - Refresh the shard containing the document before performing the operation - - - True or false to return the _source field or not, or a list of fields to return - - - True or false to return the _source field or not, or a list of fields to return - - - A list of fields to exclude from the returned _source field - - - A list of fields to exclude from the returned _source field - - - A list of fields to extract and return from the _source field - - - A list of fields to extract and return from the _source field - - - descriptor for MltGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-more-like-this.html
-            
-
-
- - The boost factor - - - The word occurrence frequency as count: words with higher occurrence in the corpus will be ignored - - - The maximum query terms to be included in the generated query - - - The minimum length of the word: longer words will be ignored - - - The word occurrence frequency as count: words with lower occurrence in the corpus will be ignored - - - The term frequency as percent: terms with lower occurence in the source document will be ignored - - - The minimum length of the word: shorter words will be ignored - - - Specific fields to perform the query against - - - Specific fields to perform the query against - - - How many terms have to match in order to consider the document a match (default: 0.3) - - - Specific routing value - - - The offset from which to return results - - - A comma-separated list of indices to perform the query against (default: the index containing the document) - - - The search query hint - - - A scroll search request definition - - - The number of documents to return (default: 10) - - - A specific search request definition (instead of using the request body) - - - Specific search type (eg. `dfs_then_fetch`, `count`, etc) - - - A comma-separated list of types to perform the query against (default: the same type as the document) - - - A list of stop words to be ignored - - - - Optionally specify more search options such as facets, from/to etcetera. - - - - descriptor for MsearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-multi-search.html
-            
-
-
- - Search operation type - - - descriptor for PercolateGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-percolate.html
-            
-
-
- - A comma-separated list of specific routing values - - - Specify the node or shard the operation should be performed on (default: random) - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - The index to percolate the document into. Defaults to index. - - - The type to percolate document into. Defaults to type. - - - Explicit version number for concurrency control - - - Specific version type - - - - The object to perculate - - - - - The object to perculate - - - - - The object to perculate - - - - - Make sure we keep calculating score even if we are sorting on a field. - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort ascending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort descending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort ascending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort descending. - - - - - - Sort() allows you to fully describe your sort unlike the SortAscending and SortDescending aliases. - - - - - - SortGeoDistance() allows you to sort by a distance from a geo point. - - - - - - SortScript() allows you to sort by a distance from a geo point. - - - - - - Describe the query to perform using a query descriptor lambda - - - - - Shortcut to .Query(q=>q.QueryString(qs=>qs.Query("string")) - Does a match_all if the userInput string is null or empty; - - - - - Filter search using a filter descriptor lambda - - - - - Filter search - - - - descriptor for SearchGet -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/search-search.html
-            
-
- - A descriptor wich describes a search operation for _search and _msearch - -
- - The analyzer to use for the query string - - - Specify whether wildcard and prefix queries should be analyzed (default: false) - - - The default operator for query string query (AND or OR) - - - The field to use as default where no field prefix is given in the query string - - - Whether specified concrete indices should be ignored when unavailable (missing or closed) - - - Whether to ignore if a wildcard indices expression resolves into no concrete indices. (This includes `_all` string or when no indices have been specified) - - - Whether to expand wildcard expression to concrete indices that are open, closed or both. - - - Specify whether format-based query failures (such as providing text to a numeric field) should be ignored - - - Specify whether query terms should be lowercased - - - Specify the node or shard the operation should be performed on (default: random) - - - A comma-separated list of specific routing values - - - Specify how long a consistent view of the index should be maintained for scrolled search - - - Search operation type - - - Specific 'tag' of the request for logging and statistical purposes - - - Specify which field to use for suggestions - - - Specify which field to use for suggestions - - - Specify suggest mode - - - How many suggestions to return in response - - - The source text for which the suggestions should be returned - - - - When strict is set, conditionless queries are treated as an exception. - - - - - The number of hits to return. Defaults to 10. When using scroll search type - size is actually multiplied by the number of shards! - - - - - The number of hits to return. Defaults to 10. - - - - - The starting from index of the hits to return. Defaults to 0. - - - - - The starting from index of the hits to return. Defaults to 0. - - - - - A search timeout, bounding the search request to be executed within the - specified time value and bail with the hits accumulated up - to that point when expired. Defaults to no timeout. - - - - - Enables explanation for each hit on how its score was computed. - (Use .DocumentsWithMetaData on the return results) - - - - - Returns a version for each search hit. (Use .DocumentsWithMetaData on the return results) - - - - - Make sure we keep calculating score even if we are sorting on a field. - - - - - Allows to filter out documents based on a minimum score: - - - - - - Controls a preference of which shard replicas to execute the search request on. - By default, the operation is randomized between the each shard replicas. - - - The operation will go and be executed only on the primary shards. - - - - - - - Controls a preference of which shard replicas to execute the search request on. - By default, the operation is randomized between the each shard replicas. - - - The operation will go and be executed on the primary shard, and if not available (failover), - will execute on other shards. - - - - - - - Controls a preference of which shard replicas to execute the search request on. - By default, the operation is randomized between the each shard replicas. - - - The operation will prefer to be executed on a local allocated shard is possible. - - - - - - - Controls a preference of which shard replicas to execute the search request on. - By default, the operation is randomized between the each shard replicas. - - - Restricts the search to execute only on a node with the provided node id - - - - - - - Controls a preference of which shard replicas to execute the search request on. - By default, the operation is randomized between the each shard replicas. - - - Prefers execution on the node with the provided node id if applicable. - - - - - - Allows to configure different boost level per index when searching across - more than one indices. This is very handy when hits coming from one index - matter more than hits coming from another index (think social graph where each user has an index). - - - - - Allows to selectively load specific fields for each document - represented by a search hit. Defaults to load the internal _source field. - - - - - Allows to selectively load specific fields for each document - represented by a search hit. Defaults to load the internal _source field. - - - - - Allows to selectively load specific fields for each document - represented by a search hit. Defaults to load the internal _source field. - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort ascending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort descending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort ascending. - - - - - - Allows to add one or more sort on specific fields. Each sort can be reversed as well. - The sort is defined on a per field level, with special field name for _score to sort by score. - - - Sort descending. - - - - - - Sort() allows you to fully describe your sort unlike the SortAscending and SortDescending aliases. - - - - - - SortGeoDistance() allows you to sort by a distance from a geo point. - - - - - - SortScript() allows you to sort by a distance from a geo point. - - - - - - Allow to specify field facets that return the N most frequent terms. - - - - - Allow to specify field facets that return the N most frequent terms. - - - - - range facet allow to specify a set of ranges and get both the number of docs (count) - that fall within each range, and aggregated data either based on the field, or using another field - - struct, (int, double, string, DateTime) - - - - range facet allow to specify a set of ranges and get both the number of docs (count) - that fall within each range, and aggregated data either based on the field, or using another field - - struct, (int, double, string, DateTime) - - - - The histogram facet works with numeric data by building a histogram across intervals - of the field values. Each value is “rounded” into an interval (or placed in a bucket), - and statistics are provided per interval/bucket (count and total). - - - - - The histogram facet works with numeric data by building a histogram across intervals - of the field values. Each value is “rounded” into an interval (or placed in a bucket), - and statistics are provided per interval/bucket (count and total). - - - - - A specific histogram facet that can work with date field types enhancing it over the regular histogram facet. - - - - - A specific histogram facet that can work with date field types enhancing it over the regular histogram facet. - - - - - Statistical facet allows to compute statistical data on a numeric fields. - The statistical data include count, total, sum of squares, - mean (average), minimum, maximum, variance, and standard deviation. - - - - - Statistical facet allows to compute statistical data on a numeric fields. - The statistical data include count, total, sum of squares, - mean (average), minimum, maximum, variance, and standard deviation. - - - - - The terms_stats facet combines both the terms and statistical allowing - to compute stats computed on a field, per term value driven by another field. - - - - - The terms_stats facet combines both the terms and statistical allowing - to compute stats computed on a field, per term value driven by another field. - - - - - The geo_distance facet is a facet providing information for ranges of distances - from a provided geo_point including count of the number of hits that fall - within each range, and aggregation information (like total). - - - - - The geo_distance facet is a facet providing information for ranges of distances - from a provided geo_point including count of the number of hits that fall - within each range, and aggregation information (like total). - - - - - A facet query allows to return a count of the hits matching - the facet query. The query itself can be expressed using the Query DSL. - - - - - A filter facet (not to be confused with a facet filter) allows you to return a count of the h - its matching the filter. The filter itself can be expressed using the Query DSL. - Note, filter facet filters are faster than query facet when using native filters (non query wrapper ones). - - - - - The term suggester suggests terms based on edit distance. The provided suggest text is analyzed before terms are suggested. - The suggested terms are provided per analyzed suggest text token. The term suggester doesn’t take the query into account that is part of request. - - - - - The phrase suggester adds additional logic on top of the term suggester to select entire corrected phrases - instead of individual tokens weighted based on ngram-langugage models. - - - - - The completion suggester is a so-called prefix suggester. - It does not do spell correction like the term or phrase suggesters but allows basic auto-complete functionality. - - - - - Describe the query to perform using a query descriptor lambda - - - - - Describe the query to perform using the static Query class - - - - - Shortcut to .Query(q=>q.QueryString(qs=>qs.Query("string")) - Does a match_all if the userInput string is null or empty; - - - - - Describe the query to perform as a raw json string - - - - - Filter search using a filter descriptor lambda - - - - - Filter search - - - - - Filter search using a raw json string - - - - - Allow to highlight search results on one or more fields. The implementation uses the either lucene fast-vector-highlighter or highlighter. - - - - - Allows you to specify a rescore query - - - - - Shorthand for a match_all query without having to specify .Query(q=>q.MatchAll()) - - - - - Whether conditionless queries are allowed or not - - - - descriptor for Update -
-            http://www.elasticsearch.org/guide/en/elasticsearch/reference/1.x/docs-update.html
-            
-
-
- - Explicit write consistency setting for the operation - - - The script language (default: mvel) - - - ID of the parent document - - - Refresh the index after performing the operation - - - Specific replication type - - - Specify how many times should the operation be retried when a conflict occurs (default: 0) - - - Specific routing value - - - The URL-encoded script definition (instead of using request body) - - - Explicit operation timeout - - - Explicit timestamp for the document - - - Expiration time for the document - - - Explicit version number for concurrency control - - - Specific version type - - - - The full document to be created if an existing document does not exist for a partial merge. - - - - - The partial update document to be merged on to the existing object. - - - - A comma-separated list of fields to return in the response - - - A comma-separated list of fields to return in the response - - - - Determines how the terms aggregation is executed - - - - - Order by using field values directly in order to aggregate data per-bucket - - - - - Order by using ordinals of the field values instead of the values themselves - - - - - 5,009.4km x 4,992.6km - - - - - 1,252.3km x 624.1km - - - - - 156.5km x 156km - - - - - 39.1km x 19.5km - - - - - 4.9km x 4.9km - - - - - 1.2km x 609.4m - - - - - 152.9m x 152.4m - - - - - 38.2m x 19m - - - - - 4.8m x 4.8m - - - - - 1.2m x 59.5cm - - - - - 14.9cm x 14.9cm - - - - - 3.7cm x 1.9cm - - - - - Occurs when an IElasticClient call does not have - enough information to dispatch into the raw client. - - - - - Registerering global jsonconverters is very costly, - The best thing is to specify them as a contract (see ElasticContractResolver) - This however prevents a way to give a jsonconverter state which for some calls is needed i.e: - A multiget and multisearch need access to the descriptor that describes what types are used. - When NEST knows it has to piggyback this it has to pass serialization state it will create a new - serializersettings object with a new contract resolver which holds this state. Its ugly but it does boost - massive performance gains. - - - - - This extension method should only be used in expressions which are analysed by Nest. - When analysed it will append to the path separating it with a dot. - This is especially useful with multi fields. - - - - - Raw operations with elasticsearch - - - - - An object to describe an indexed geoshape - http://www.elasticsearch.org/guide/en/elasticsearch/reference/current/query-dsl-geo-shape-filter.html - - - - - If not specified will use the default typename for the type specified on Lookup<T> - - - - - If not specified will use the default index for the type specified on Lookup<T> - - - - - Whether to cache the filter built from the retrieved document (true - default) or whether to fetch and - rebuild the filter on every request (false). - - - - - A custom routing value to be used when retrieving the external terms doc. - - - - - The way terms filter executes is by iterating over the terms provided and - finding matches docs (loading into a bitset) and caching it. Sometimes, - we want a different execution model that can still be achieved by building more complex - queries in the DSL, but we can support them in the more compact model that terms filter provides. - - - - - Controls how elasticsearch handles dynamic mapping changes when a new document present new fields - - - - - Default value, allows unmapped fields to be cause a mapping update - - - - - New unmapped fields will be silently ignored - - - - - If new unmapped fields are passed, the whole document WON'T be added/updated - - - - - POCO representing the reindex response for a each step - - - - - The bulk result indexing the search results into the new index. - - - - - The scroll result - - - - - The no of scroll this result represents - - - - - Whether both the scroll and reindex result are valid - - - - - The index into which we're indexing - - - - - The index from which we're reindexing - - - - - A search request can be scrolled by specifying the scroll parameter. The scroll parameter is a time value parameter (for example: scroll=5m), indicating for how long the nodes that participate in the search will maintain relevant resources in order to continue and support it. This is very similar in its idea to opening a cursor against a database. - - The scroll parameter is a time value parameter (for example: scroll=5m) - - - - - A query to optionally limit the documents to use for the reindex operation. - - - - - The new index name to reindex too. - - - - - CreateIndex selector, will be passed the a descriptor initialized with the settings from - the index we're reindexing from - - - - - POCO representing the reindex response for a each step - - - - - Marker class that signals to the CustomJsonConverter to write the string verbatim - - - - - Specifies wheter this particular bulk operation succeeded or not - - - - - Create a new bulk operation - - Use this document to infer the id from - Use the document to infer on as the upsert document in this update operation - - - - Create a new Bulk Operation - - Use this document to infer the id from - The partial update document (doc) to send as update - Use the document to infer on as the upsert document in this update operation - - - - Only used for bulk update operations but in the future might come in handy for other complex bulk ops. - - - - - - Manually set the index, default to the default index or the fixed index set on the bulk operation - - - - - Manualy set the type to get the object from, default to whatever - T will be inferred to if not passed or the fixed type set on the parent bulk operation - - - - - Manually set the type of which a typename will be inferred - - - - - Manually set the id for the newly created object - - - - - Manually set the id for the newly created object - - - - - The object to update, if id is not manually set it will be inferred from the object. - Used ONLY to infer the ID see Document() to apply a partial object merge. - - - - - A document to upsert when the specified document to be updated is not found - - - - - The partial update document to be merged on to the existing object. - - - - - Add metadata associated with this percolator query document - - - - - The query to perform the percolation - - - - - Defaults to float so be sure to set this correctly! - - - - - http://www.elasticsearch.org/guide/reference/mapping/date-format.html - - - - - The name of the warmer - - - - - A Query that matches documents containing a particular sequence of terms. - It allows for prefix matches on the last term in the text. - - Type of document - - - - A Query that matches documents containing a particular sequence of terms. A PhraseQuery is built by QueryParser for input like "new york". - - Type of document - - - - Null if Percolation was not requested while indexing this doc, otherwise returns the percolator _ids that matched (if any) - - - - - Manually set the index, default to the default index or the fixed index set on the bulk operation - - - - - Manualy set the type to get the object from, default to whatever - T will be inferred to if not passed or the fixed type set on the parent bulk operation - - - - - Manually set the type of which a typename will be inferred - - - - - Manually set the id for the newly created object - - - - - Manually set the id for the newly created object - - - - - The object to update, if id is not manually set it will be inferred from the object - - - - - Manually set the index, default to the default index or the fixed index set on the bulk operation - - - - - Manualy set the type to get the object from, default to whatever - T will be inferred to if not passed or the fixed type set on the parent bulk operation - - - - - Manually set the type of which a typename will be inferred - - - - - Manually set the id for the newly created object - - - - - Manually set the id for the newly created object - - - - - The object to index, if id is not manually set it will be inferred from the object - - - - - Manually set the index, default to the default index or the fixed index set on the bulk operation - - - - - Manualy set the type to get the object from, default to whatever - T will be inferred to if not passed or the fixed type set on the parent bulk operation - - - - - Manually set the type of which a typename will be inferred - - - - - Manually set the id for the newly created object - - - - - Manually set the id for the newly created object - - - - - The object to infer the id off, (if id is not passed using Id()) - - - - - Language types used for language analyzers - - - - - A set of analyzers aimed at analyzing specific language text. - - - - - A list of stopword to initialize the stop filter with. Defaults to the english stop words. - - - - - A path (either relative to config location, or absolute) to a stopwords file configuration. - - - - - An analyzer of type keyword that “tokenizes” an entire stream as a single token. This is useful for data like zip codes, ids and so on. - Note, when using mapping definitions, it make more sense to simply mark the field as not_analyzed. - - - - - An analyzer of type pattern that can flexibly separate text into terms via a regular expression. - - - - - An analyzer of type stop that is built using a Lower Case Tokenizer, with Stop Token Filter. - - - - - A list of stopword to initialize the stop filter with. Defaults to the english stop words. - - - - - A path (either relative to config location, or absolute) to a stopwords file configuration. - - - - - An analyzer of type whitespace that is built using a Whitespace Tokenizer. - - - - - An analyzer of type simple that is built using a Lower Case Tokenizer. - - - - - A char filter of type html_strip stripping out HTML elements from an analyzed text. - - - - - A char filter of type mapping replacing characters of an analyzed text with given mapping. - - - - - A token filter of type asciifolding that converts alphabetic, numeric, and symbolic Unicode characters which are - not in the first 127 ASCII characters (the “Basic Latin” Unicode block) into their ASCII equivalents, if one exists. - - - - - Token filters that allow to decompose compound words. - - - - - A list of words to use. - - - - - A path (either relative to config location, or absolute) to a list of words. - - - - - Minimum word size. - - - - - Minimum subword size. - - - - - Maximum subword size. - - - - - Only matching the longest. - - - - - The trim token filter trims surrounding whitespaces around a token. - - - - - The unique token filter can be used to only index unique tokens during analysis. By default it is applied on all the token stream - - - - - If only_on_same_position is set to true, it will only remove duplicate tokens on the same position. - - - - - The truncate token filter can be used to truncate tokens into a specific length. This can come in handy with keyword (single token) - based mapped fields that are used for sorting in order to reduce memory usage. - - - - - length parameter which control the number of characters to truncate to, defaults to 10. - - - - - A token filter which removes elisions. For example, “l’avion” (the plane) will tokenized as “avion” (plane). - - - - - Accepts articles setting which is a set of stop words articles - - - - - A token filter of type reverse that simply reverses the tokens. - - - - - The phonetic token filter is provided as a plugin. - - - - - A filter that stems words using a Snowball-generated stemmer. - - - - - The kstem token filter is a high performance filter for english. - All terms must already be lowercased (use lowercase filter) for this filter to work correctly. - - - - - Protects words from being modified by stemmers. Must be placed before any stemming filters. - - - - - A filter that stems words (similar to snowball, but with more options). - - - - - A token filter of type porterStem that transforms the token stream as per the Porter stemming algorithm. - - - - - A token filter of type lowercase that normalizes token text to lower case. - Lowercase token filter supports Greek and Turkish lowercase token filters through the language parameter. - - - - - A token filter of type length that removes words that are too long or too short for the stream. - - - - - A token filter of type standard that normalizes tokens extracted with the Standard Tokenizer. - - - - - The path_hierarchy tokenizer takes something like this: - /something/something/else - And produces tokens: - - /something - /something/something - /something/something/else - - - - - The character delimiter to use, defaults to /. - - - - - An optional replacement character to use. Defaults to the delimiter - - - - - The buffer size to use, defaults to 1024. - - - - - Generates tokens in reverse order, defaults to false. - - - - - Controls initial tokens to skip, defaults to 0. - - - - - A tokenizer of type uax_url_email which works exactly like the standard tokenizer, but tokenizes emails and urls as single tokens - - - - - The maximum token length. If a token is seen that exceeds this length then it is discarded. Defaults to 255. - - - - - A tokenizer of type pattern that can flexibly separate text into terms via a regular expression. - - - - - The regular expression pattern, defaults to \W+. - - - - - The regular expression flags. - - - - - Which group to extract into tokens. Defaults to -1 (split). - - - - - A tokenizer of type whitespace that divides text at whitespace. - - - - - A tokenizer of type standard providing grammar based tokenizer that is a good tokenizer for most European language documents. - The tokenizer implements the Unicode Text Segmentation algorithm, as specified in Unicode Standard Annex #29. - - - - - The maximum token length. If a token is seen that exceeds this length then it is discarded. Defaults to 255. - - - - - A tokenizer of type nGram. - - - - - A tokenizer of type lowercase that performs the function of Letter Tokenizer and Lower Case Token Filter together. - It divides text at non-letters and converts them to lower case. - While it is functionally equivalent to the combination of Letter Tokenizer and Lower Case Token Filter, - there is a performance advantage to doing the two tasks at once, hence this (redundant) implementation. - - - - - A tokenizer of type letter that divides text at non-letters. That’s to say, it defines tokens as maximal strings of adjacent letters. - Note, this does a decent job for most European languages, but does a terrible job for some Asian languages, where words are not separated by spaces. - - - - - A tokenizer of type edgeNGram. - - - - - A tokenizer of type keyword that emits the entire input as a single input. - - - - - The term buffer size. Defaults to 256. - - - - - A token filter of type edgeNGram. - - - - - Convenience method to map from most of the object from the attributes/properties. - Later calls on the fluent interface can override whatever is set is by this call. - This helps mapping all the ints as ints, floats as floats etcetera withouth having to be overly verbose in your fluent mapping - - - - - - Convenience method to map from most of the object from the attributes/properties. - Later calls on the fluent interface can override whatever is set is by this call. - This helps mapping all the ints as ints, floats as floats etcetera withouth having to be overly verbose in your fluent mapping - - - - - - The name of the field that will be stored in the index. Defaults to the property/field name. - - - - - The name of the field that will be stored in the index. Defaults to the property/field name. - - - - - The name of the field that will be stored in the index. Defaults to the property/field name. - - - - - The name of the field that will be stored in the index. Defaults to the property/field name. - - - - - The name of the field that will be stored in the index. Defaults to the property/field name. - - - - - As of elasticsearch fields are always returned as an array. except for internal metadata values such as routing. - - The type to return the value as, remember that if your field is a string K should be string[] - - - - As of elasticsearch fields are always returned as an array. except for internal metadata values such as routing. - - The type to return the value as, remember that if your field is a string K should be string[] - - - - As of elasticsearch fields are always returned as an array. - except for internal metadata values such as routing. - - - - - As of elasticsearch fields are always returned as an array. - except for internal metadata values such as routing. - - - - - As of elasticsearch fields are always returned as an array. except for internal metadata values such as routing. - - The type to return the value as, remember that if your field is a string K should be string[] - - - - A token filter of type nGram. - - - - - The synonym token filter allows to easily handle synonyms during the analysis process. - - - - - Gets the explanations if Explain() was set. - - - - - AND's two BaseFilters - - A new basefilter that represents the AND of the two - - - - A query that match on any (configurable) of the provided terms. - This is a simpler syntax query for using a bool query with several term queries in the should clauses. - - The type that represents the expected hit type - The type of the field that we want to specfify terms for - - - - A thin wrapper allowing fined grained control what should happen if a filter is conditionless - if you need to fallback to something other than a match_all query - - - - - Insert raw filter json at this position of the filter - Be sure to start your json with '{' - - - - - - - Filters documents where a specific field has a value in them. - - - - - Filters documents where a specific field has a value in them. - - - - - Filters documents where a specific field has no value in them. - - - - - Filters documents where a specific field has no value in them. - - - - - Filters documents that only have the provided ids. - Note, this filter does not require the _id field to be indexed since it works using the _uid field. - - - - - Filters documents that only have the provided ids. - Note, this filter does not require the _id field to be indexed since it works using the _uid field. - - - - - Filters documents that only have the provided ids. - Note, this filter does not require the _id field to be indexed since it works using the _uid field. - - - - - A filter allowing to filter hits based on a point location using a bounding box - - - - - A filter allowing to filter hits based on a point location using a bounding box - - - - - A filter allowing to filter hits based on a point location using a bounding box - - - - - A filter allowing to filter hits based on a point location using a bounding box - - - - - Filters documents that include only hits that exists within a specific distance from a geo point. - - - - - Filters documents that include only hits that exists within a specific distance from a geo point. - - - - - By defining a geohash cell, only geopoints within this cell will match this filter - - - - - By defining a geohash cell, only geopoints within this cell will match this filter - - - - - Filters documents that exists within a range from a specific point: - - - - - Filters documents that exists within a range from a specific point: - - - - - Filter documents indexed using the circle geo_shape type. - - - - - Filter documents indexed using the circle geo_shape type. - - - - - Filter documents indexed using the envelope geo_shape type. - - - - - Filter documents indexed using the envelope geo_shape type. - - - - - Filter documents indexed using the linestring geo_shape type. - - - - - Filter documents indexed using the linestring geo_shape type. - - - - - Filter documents indexed using the multilinestring geo_shape type. - - - - - Filter documents indexed using the multilinestring geo_shape type. - - - - - Filter documents indexed using the point geo_shape type. - - - - - Filter documents indexed using the point geo_shape type. - - - - - Filter documents indexed using the multipoint geo_shape type. - - - - - Filter documents indexed using the multipoint geo_shape type. - - - - - Filter documents indexed using the polygon geo_shape type. - - - - - Filter documents indexed using the polygon geo_shape type. - - - - - Filter documents indexed using the multipolygon geo_shape type. - - - - - Filter documents indexed using the multipolygon geo_shape type. - - - - - Filter documents indexed using the geo_shape type. - - - - - Filter documents indexed using the geo_shape type. - - - - - A filter allowing to include hits that only fall within a polygon of points. - - - - - A filter allowing to include hits that only fall within a polygon of points. - - - - - A filter allowing to include hits that only fall within a polygon of points. - - - - - A filter allowing to include hits that only fall within a polygon of points. - - - - - The has_child filter accepts a query and the child type to run against, - and results in parent documents that have child docs matching the query. - - Type of the child - - - - The has_child filter accepts a query and the child type to run against, - and results in parent documents that have child docs matching the query. - - Type of the child - - - - A limit filter limits the number of documents (per shard) to execute on. - - - - - Filters documents matching the provided document / mapping type. - Note, this filter can work even when the _type field is not indexed - (using the _uid field). - - - - - Filters documents matching the provided document / mapping type. - Note, this filter can work even when the _type field is not indexed - (using the _uid field). - - - - - A filter that matches on all documents. - - - - - Filters documents with fields that have terms within a certain range. - Similar to range query, except that it acts as a filter. - - - - - A filter allowing to define scripts as filters. - - - - - Filters documents that have fields containing terms with a specified prefix - (not analyzed). Similar to phrase query, except that it acts as a filter. - - - - - Filters documents that have fields containing terms with a specified prefix - (not analyzed). Similar to phrase query, except that it acts as a filter. - - - - - Filters documents that have fields that contain a term (not analyzed). - Similar to term query, except that it acts as a filter - - - - - Filters documents that have fields that contain a term (not analyzed). - Similar to term query, except that it acts as a filter - - - - - Filters documents that have fields that contain a term (not analyzed). - Similar to term query, except that it acts as a filter - - - - - Filters documents that have fields that match any of the provided terms (not analyzed). - - - - - Filters documents that have fields that match any of the provided terms (not analyzed). - - - - - Filters documents that have fields that match any of the provided terms (not analyzed). - - - - - Filter documents indexed using the geo_shape type. - - - - - Filter documents indexed using the geo_shape type. - - - - - A filter that matches documents using AND boolean operator on other queries. - This filter is more performant then bool filter. - - - - - A filter that matches documents using AND boolean operator on other queries. - This filter is more performant then bool filter. - - - - - A filter that matches documents using OR boolean operator on other queries. - This filter is more performant then bool filter - - - - - A filter that matches documents using OR boolean operator on other queries. - This filter is more performant then bool filter - - - - - A filter that filters out matched documents using a query. - This filter is more performant then bool filter. - - - - - - A filter that matches documents matching boolean combinations of other queries. - Similar in concept to Boolean query, except that the clauses are other filters. - - - - - Wraps any query to be used as a filter. - - - - - A nested filter, works in a similar fashion to the nested query, except used as a filter. - It follows exactly the same structure, but also allows to cache the results - (set _cache to true), and have it named (set the _name value). - - - - - - The regexp filter allows you to use regular expression term queries. - - - - - - Same as setting to and include_upper to true. - - - - - Forces the 'From()' to be exclusive (which is inclusive by default). - - - - - Forces the 'To()' to be exclusive (which is inclusive by default). - - - - - Specifies a minimum number of the optional BooleanClauses which must be satisfied. - - - - - - - Specifies a minimum number of the optional BooleanClauses which must be satisfied. String overload where you can specify percentages - - - - - - - Boost this results matching this query. - - - - - - The clause(s) that must appear in matching documents - - - - - The clause(s) that must appear in matching documents - - - - - The clause (query) should appear in the matching document. A boolean query with no must clauses, one or more should clauses must match a document. - The minimum number of should clauses to match can be set using minimum_should_match parameter. - - - - - - - The clause (query) should appear in the matching document. A boolean query with no must clauses, one or more should clauses must match a document. - The minimum number of should clauses to match can be set using minimum_should_match parameter. - - - - - - - The clause (query) must not appear in the matching documents. Note that it is not possible to search on documents that only consists of a must_not clauses. - - - - - - - The clause (query) must not appear in the matching documents. Note that it is not possible to search on documents that only consists of a must_not clauses. - - - - - - - The top_children query runs the child query with an estimated hits size, and out of the hit docs, - aggregates it into parent docs. If there aren’t enough parent docs matching the - requested from/size search request, then it is run again with a wider (more hits) search. - - Type used to strongly type parts of this query - - - - Provide a child query for the top_children query - - Describe the child query to be executed - - - - How many hits are asked for in the first child query run is controlled using the factor parameter (defaults to 5). - - The factor that controls how many hits are asked for - - - - Provide a scoring mode for the child hits - - max, sum or avg - - - - If the initial fetch did not result in enough parent documents this factor will be used to determine - the next pagesize - - Multiplier for the original factor parameter - - - - The type of the children to query, defaults to the inferred typename for the T - that was used on the TopChildren call - - - - - A list of document ids. This parameter is required if like_text is not specified. - The texts are fetched from fields unless specified in each doc, and cannot be set to _all. -
Available from Elasticsearch 1.3.0
-
-
- - - A list of documents following the same syntax as the Multi GET API. This parameter is required if like_text is not specified. - The texts are fetched from fields unless specified in each doc, and cannot be set to _all. -
Available from Elasticsearch 1.3.0
-
-
- - - Specify multiple documents to suply the more like this like text - - - - - Specify multiple documents to supply the more like this text, but do not generate index: and type: on the get operations. - Useful if the node has rest.action.multi.allow_explicit_index set to false - - - - - - - Boosts the range query by the specified boost factor - - Boost factor - - - - Scripts are cached for faster execution. If the script has parameters that it needs to take into account, it is preferable to use the same script, and provide parameters to it: - - - - - - - Value to sort on when the orginal value for the field is missing - - - - - (the default), rounds to the lowest whole unit of this field. - - - - - Rounds to the highest whole unit of this field. - - - - - Round to the nearest whole unit of this field. If the given millisecond value is closer to the floor or is exactly halfway, this function behaves like floor. If the millisecond value is closer to the ceiling, this function behaves like ceiling. - - - - - Round to the nearest whole unit of this field. If the given millisecond value is closer to the floor, this function behaves like floor. If the millisecond value is closer to the ceiling or is exactly halfway, this function behaves like ceiling. - - - - - Round to the nearest whole unit of this field. If the given millisecond value is closer to the floor, this function behaves like floor. If the millisecond value is closer to the ceiling, this function behaves like ceiling. If the millisecond value is exactly halfway between the floor and ceiling, the ceiling is chosen over the floor only if it makes this field’s value even. - - - - - A filter allowing to define scripts as filters. - Ex: "doc['num1'].value > 1" - - - - - Filter script. - - script - this - - - - Indexed script can be referenced by script id - - Indexed script id - this - - - - Scripts are compiled and cached for faster execution. - If the same script can be used, just with different parameters provider, - it is preferable to use the ability to pass parameters to the script itself. - Ex: - Script: "doc['num1'].value > param1" - param: "param1" = 5 - - param - this - - - - Language of script. - - language - this - - - - Language of script. - - language - this - - - - JSON converter for IDictionary that ignores the contract resolver (e.g. CamelCasePropertyNamesContractResolver) - when converting dictionary keys to property names. - - - - - The individual error for separate requests on the _mpercolate API - - - - - Insert raw query json at this position of the query - Be sure to start your json with '{' - - - - - - - A query that uses a query parser in order to parse its content. - - - - - A query that uses the SimpleQueryParser to parse its context. - Unlike the regular query_string query, the simple_query_string query will - never throw an exception, and discards invalid parts of the query. - - - - - A query that match on any (configurable) of the provided terms. This is a simpler syntax query for using a bool query with several term queries in the should clauses. - - - - - A query that match on any (configurable) of the provided terms. This is a simpler syntax query for using a bool query with several term queries in the should clauses. - - - - - A query that match on any (configurable) of the provided terms. This is a simpler syntax query for using a bool query with several term queries in the should clauses. - - - - - A query that match on any (configurable) of the provided terms. This is a simpler syntax query for using a bool query with several term queries in the should clauses. - - - - - A query that match on any (configurable) of the provided terms. This is a simpler syntax query for using a bool query with several term queries in the should clauses. - - - - - A fuzzy based query that uses similarity based on Levenshtein (edit distance) algorithm. - Warning: this query is not very scalable with its default prefix length of 0 – in this case, - every term will be enumerated and cause an edit score calculation or max_expansions is not set. - - - - - fuzzy query on a numeric field will result in a range query “around” the value using the min_similarity value - - - - - fuzzy query on a numeric field will result in a range query “around” the value using the min_similarity value - - - - - - The default text query is of type boolean. It means that the text provided is analyzed and the analysis - process constructs a boolean query from the provided text. - - - - - The text_phrase query analyzes the text and creates a phrase query out of the analyzed text. - - - - - The text_phrase_prefix is the same as text_phrase, expect it allows for prefix matches on the last term - in the text - - - - - The multi_match query builds further on top of the match query by allowing multiple fields to be specified. - The idea here is to allow to more easily build a concise match type query over multiple fields instead of using a - relatively more expressive query by using multiple match queries within a bool query. - - - - - Nested query allows to query nested objects / docs (see nested mapping). The query is executed against the - nested objects / docs as if they were indexed as separate docs (they are, internally) and resulting in the - root parent doc (or parent nested mapping). - - - - - A thin wrapper allowing fined grained control what should happen if a query is conditionless - if you need to fallback to something other than a match_all query - - - - - The indices query can be used when executed across multiple indices, allowing to have a query that executes - only when executed on an index that matches a specific list of indices, and another query that executes - when it is executed on an index that does not match the listed indices. - - - - - Matches documents with fields that have terms within a certain range. The type of the Lucene query depends - on the field type, for string fields, the TermRangeQuery, while for number/date fields, the query is - a NumericRangeQuery - - - - - Fuzzy like this query find documents that are “like” provided text by running it against one or more fields. - - - - - More like this query find documents that are “like” provided text by running it against one or more fields. - - - - - The geo_shape Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the envelope shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the circle shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the line string shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape circle Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the multi line string shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape circle Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the point shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape circle Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the multi point shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape circle Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the polygon shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The geo_shape circle Filter uses the same grid square representation as the geo_shape mapping to find documents - that have a shape that intersects with the multi polygon shape. - It will also use the same PrefixTree configuration as defined for the field mapping. - - - - - The common terms query is a modern alternative to stopwords which improves the precision and recall - of search results (by taking stopwords into account), without sacrificing performance. - - - - - The has_child query works the same as the has_child filter, by automatically wrapping the filter with a - constant_score. - - Type of the child - - - - The has_child query works the same as the has_child filter, by automatically wrapping the filter with a - constant_score. - - Type of the child - - - - The top_children query runs the child query with an estimated hits size, and out of the hit docs, aggregates - it into parent docs. If there aren’t enough parent docs matching the requested from/size search request, - then it is run again with a wider (more hits) search. - - Type of the child - - - - A query that applies a filter to the results of another query. This query maps to Lucene FilteredQuery. - - - - - A query that generates the union of documents produced by its subqueries, and that scores each document - with the maximum score for that document as produced by any subquery, plus a tie breaking increment for - any additional matching subqueries. - - - - - A query that wraps a filter or another query and simply returns a constant score equal to the query boost - for every document in the filter. Maps to Lucene ConstantScoreQuery. - - - - - custom_boost_factor query allows to wrap another query and multiply its score by the provided boost_factor. - This can sometimes be desired since boost value set on specific queries gets normalized, while this - query boost factor does not. - - - - - custom_score query allows to wrap another query and customize the scoring of it optionally with a - computation derived from other field values in the doc (numeric ones) using script expression - - - - - custom_score query allows to wrap another query and customize the scoring of it optionally with a - computation derived from other field values in the doc (numeric ones) using script or boost expression - - - - - A query that matches documents matching boolean combinations of other queries. The bool query maps to - Lucene BooleanQuery. - It is built using one or more boolean clauses, each clause with a typed occurrence - - - - - the boosting query can be used to effectively demote results that match a given query. - Unlike the “NOT” clause in bool query, this still selects documents that contain - undesirable terms, but reduces their overall score. - - - - - - A query that matches all documents. Maps to Lucene MatchAllDocsQuery. - - An optional boost to associate with this match_all - - When indexing, a boost value can either be associated on the document level, or per field. - The match all query does not take boosting into account by default. In order to take - boosting into account, the norms_field needs to be provided in order to explicitly specify which - field the boosting will be done on (Note, this will result in slower execution time). - - - - - Matches documents that have fields that contain a term (not analyzed). - The term query maps to Lucene TermQuery. - - - - - Matches documents that have fields that contain a term (not analyzed). - The term query maps to Lucene TermQuery. - - - - - Matches documents that have fields that contain a term (not analyzed). - The term query maps to Lucene TermQuery. - - - - - Matches documents that have fields that contain a term (not analyzed). - The term query maps to Lucene TermQuery. - - - - - Matches documents that have fields matching a wildcard expression (not analyzed). - Supported wildcards are *, which matches any character sequence (including the empty one), and ?, - which matches any single character. Note this query can be slow, as it needs to iterate - over many terms. In order to prevent extremely slow wildcard queries, a wildcard term should - not start with one of the wildcards * or ?. The wildcard query maps to Lucene WildcardQuery. - - - - - Matches documents that have fields matching a wildcard expression (not analyzed). - Supported wildcards are *, which matches any character sequence (including the empty one), and ?, - which matches any single character. Note this query can be slow, as it needs to iterate over many terms. - In order to prevent extremely slow wildcard queries, a wildcard term should not start with - one of the wildcards * or ?. The wildcard query maps to Lucene WildcardQuery. - - - - - Matches documents that have fields matching a wildcard expression (not analyzed). - Supported wildcards are *, which matches any character sequence (including the empty one), and ?, - which matches any single character. Note this query can be slow, as it needs to iterate over many terms. - In order to prevent extremely slow wildcard queries, a wildcard term should not start with - one of the wildcards * or ?. The wildcard query maps to Lucene WildcardQuery. - - - - - Matches documents that have fields containing terms with a specified prefix (not analyzed). - The prefix query maps to Lucene PrefixQuery. - - - - - Matches documents that have fields containing terms with a specified prefix (not analyzed). - The prefix query maps to Lucene PrefixQuery. - - - - - Matches documents that have fields containing terms with a specified prefix (not analyzed). - The prefix query maps to Lucene PrefixQuery. - - - - - Filters documents that only have the provided ids. Note, this filter does not require - the _id field to be indexed since it works using the _uid field. - - - - - Filters documents that only have the provided ids. - Note, this filter does not require the _id field to be indexed since - it works using the _uid field. - - - - - Filters documents that only have the provided ids. - Note, this filter does not require the _id field to be indexed since - it works using the _uid field. - - - - - Matches spans containing a term. The span term query maps to Lucene SpanTermQuery. - - - - - Matches spans containing a term. The span term query maps to Lucene SpanTermQuery. - - - - - Matches spans containing a term. The span term query maps to Lucene SpanTermQuery. - - - - - Matches spans near the beginning of a field. The span first query maps to Lucene SpanFirstQuery. - - - - - Matches spans which are near one another. One can specify slop, the maximum number of - intervening unmatched positions, as well as whether matches are required to be in-order. - The span near query maps to Lucene SpanNearQuery. - - - - - Matches the union of its span clauses. - The span or query maps to Lucene SpanOrQuery. - - - - - Removes matches which overlap with another span query. - The span not query maps to Lucene SpanNotQuery. - - - - - Wrap a multi term query (one of fuzzy, prefix, term range or regexp query) - as a span query so it can be nested. - - - - - custom_score query allows to wrap another query and customize the scoring of it optionally with a - computation derived from other field values in the doc (numeric ones) using script or boost expression - - - - - Function score query - - - - - - Based on the type information present in this descriptor create method that takes - the returned _source and hit and returns the ClrType it should deserialize too. - This is so that Documents[A] can contain actual instances of subclasses B, C as well. - If you specify types using .Types(typeof(B), typeof(C)) then NEST can automagically - create a TypeSelector based on the hits _type property. - - - - - Defaults to float so be sure to set this correctly! - - - - - http://www.elasticsearch.org/guide/reference/mapping/date-format.html - - - - - Sometimes you need a generic type mapping, i.e when using dynamic templates - in order to specify "{dynamic_template}" the type, or if you have some plugin that exposes a new type. - - - - - The name of the field that will be stored in the index. Defaults to the property/field name. - - - - - Returns a view on the documents inside the hits that are returned. - NOTE: if you use Fields() on the search descriptor .Documents will be empty use - .Fields instead or try the 'source filtering' feature introduced in Elasticsearch 1.0 - using .Source() on the search descriptor to get Documents of type T with only certain parts selected - - - - - - Will return the field selections inside the hits when the search descriptor specified .Fields. - Otherwise this will always be an empty collection. - - - - - Only set when search type = scan and scroll specified - - - - - - - - - - - IDictionary of id -Highlight Collection for the document - - - - - An analyzer of type custom that allows to combine a Tokenizer with zero or more Token Filters, and zero or more Char Filters. - The custom analyzer accepts a logical/registered name of the tokenizer to use, and a list of logical/registered names of token filters. - - - - - Writing these uses a custom converter that ignores the json props - - - - - Dynamic view of the settings object, useful for reading value from the settings - as it allows you to chain without nullrefs. Cannot be used to assign setting values though - - - - - An analyzer of type snowball that uses the standard tokenizer, with standard filter, lowercase filter, stop filter, and snowball filter. - The Snowball Analyzer is a stemming analyzer from Lucene that is originally based on the snowball project from snowball.tartarus.org. - - - - - JSON converter for IDictionary that ignores the contract resolver (e.g. CamelCasePropertyNamesContractResolver) - when converting dictionary keys to property names. - - - - - JSON converter for IDictionary that ignores the contract resolver (e.g. CamelCasePropertyNamesContractResolver) - when converting dictionary keys to property names. - - - - - Converter for converting Uri to String and vica versa - - - Code originated from http://stackoverflow.com/a/8087049/106909 - - - - - Determines whether this instance can convert the specified object type. - - - - - - - Reads the JSON representation of the object. - - - - - - - - - - Writes the JSON representation of the object. - - - - - - - - A token filter of type shingle that constructs shingles (token n-grams) from a token stream. - In other words, it creates combinations of tokens as a single token. - - - - - The minimum shingle size. Defaults to 2. - - - - - The maximum shingle size. Defaults to 2. - - - - - If true the output will contain the input tokens (unigrams) as well as the shingles. Defaults to true. - - - - - If output_unigrams is false the output will contain the input tokens (unigrams) if no shingles are available. - Note if output_unigrams is set to true this setting has no effect. Defaults to false. - - - - - The string to use when joining adjacent tokens to form a shingle. Defaults to " ". - - - - - This comes from Matt Warren's sample: - http://blogs.msdn.com/mattwar/archive/2007/07/31/linq-building-an-iqueryable-provider-part-ii.aspx - - - - - Pluralizes or singularizes words. - - - - - Initializes the class. - - - - - Adds the irregular rule. - - The singular. - The plural. - - - - Adds the unknown count rule. - - The word. - - - - Adds the plural rule. - - The rule. - The replacement. - - - - Adds the singular rule. - - The rule. - The replacement. - - - - Makes the plural. - - The word. - - - - - Makes the singular. - - The word. - - - - - Applies the rules. - - The rules. - The word. - - - - - Summary for the InflectorRule class - - - - - Initializes a new instance of the class. - - The regex pattern. - The replacement text. - - - - Applies the tule to the specified word. - - The word. - - - - - ConnectionSettings can be requested by JsonConverter's. - - - - - Define the type of field content. - - - - - Default. Will be defined by the type of property return. - - - - - Geo based points. - - - - - Geo shape type. - - - - - The attachment type allows to index different “attachment” type field (encoded as base64), for example, microsoft office formats, open document formats, ePub, HTML... - - - - - An ip mapping type allows to store ipv4 addresses in a numeric form allowing to easily sort, and range query it (using ip values). - - - - - The binary type is a base64 representation of binary data that can be stored in the index. - - - - - Text based string type. - - - - - Integer type. - - - - - Long type. - - - - - Float type. - - - - - Double type. - - - - - Date type. - - - - - Boolean type. - - - - - Completion type. - - - - - Nested type. - - - - - object type, no need to set this manually if its not a value type this will be set. - Only set this if you need to force a value type to be mapped to an elasticsearch object type. - - - - - Resolves member infos in an expression, instance may NOT be shared. - - - - - ConnectionSettings can be requested by JsonConverter's. - - - - - Signals to custom converter that it can get serialization state from one of the converters - Ugly but massive performance gain - - - - - internal constructor by TypeMappingWriter itself when it recurses, passes seenTypes as safeguard agains maxRecursion - - - - - Get the Elastic Search Field Type Related. - - ElasticPropertyAttribute - Property Field - String with the type name or null if can not be inferres - - - - Get the Elastic Search Field from a FieldType. - - FieldType - String with the type name or null if can not be inferres - - - - Inferes the FieldType from the type of the property. - - Type of the property - FieldType or null if can not be inferred - - - - An analyzer of type standard that is built of using Standard Tokenizer, with Standard Token Filter, Lower Case Token Filter, and Stop Token Filter. - - - - - A list of stopword to initialize the stop filter with. Defaults to the english stop words. - - - - - The maximum token length. If a token is seen that exceeds this length then it is discarded. Defaults to 255. - - - - - A token filter of type stop that removes stop words from token streams. - - - - - Named word_delimiter, it Splits words into subwords and performs optional transformations on subword groups. - - -
-
diff --git a/packages/NEST.1.3.1/lib/Nest.dll b/packages/NEST.1.3.1/lib/Nest.dll deleted file mode 100644 index 002dd3f..0000000 Binary files a/packages/NEST.1.3.1/lib/Nest.dll and /dev/null differ diff --git a/packages/NEST.1.3.1/lib/Nest.pdb b/packages/NEST.1.3.1/lib/Nest.pdb deleted file mode 100644 index 68d86e1..0000000 Binary files a/packages/NEST.1.3.1/lib/Nest.pdb and /dev/null differ diff --git a/packages/NLog.3.1.0.0/NLog.3.1.0.0.nupkg b/packages/NLog.3.1.0.0/NLog.3.1.0.0.nupkg deleted file mode 100644 index c074408..0000000 Binary files a/packages/NLog.3.1.0.0/NLog.3.1.0.0.nupkg and /dev/null differ diff --git a/packages/NLog.3.1.0.0/lib/net35/NLog.dll b/packages/NLog.3.1.0.0/lib/net35/NLog.dll deleted file mode 100644 index 9dae0a8..0000000 Binary files a/packages/NLog.3.1.0.0/lib/net35/NLog.dll and /dev/null differ diff --git a/packages/NLog.3.1.0.0/lib/net35/NLog.xml b/packages/NLog.3.1.0.0/lib/net35/NLog.xml deleted file mode 100644 index 59e91a1..0000000 --- a/packages/NLog.3.1.0.0/lib/net35/NLog.xml +++ /dev/null @@ -1,15057 +0,0 @@ - - - - NLog - - - - - Indicates that the value of the marked element could be null sometimes, - so the check for null is necessary before its usage - - - [CanBeNull] public object Test() { return null; } - public void UseTest() { - var p = Test(); - var s = p.ToString(); // Warning: Possible 'System.NullReferenceException' - } - - - - - Indicates that the value of the marked element could never be null - - - [NotNull] public object Foo() { - return null; // Warning: Possible 'null' assignment - } - - - - - Indicates that the marked method builds string by format pattern and (optional) arguments. - Parameter, which contains format string, should be given in constructor. The format string - should be in -like form - - - [StringFormatMethod("message")] - public void ShowError(string message, params object[] args) { /* do something */ } - public void Foo() { - ShowError("Failed: {0}"); // Warning: Non-existing argument in format string - } - - - - - Specifies which parameter of an annotated method should be treated as format-string - - - - - Indicates that the function argument should be string literal and match one - of the parameters of the caller function. For example, ReSharper annotates - the parameter of - - - public void Foo(string param) { - if (param == null) - throw new ArgumentNullException("par"); // Warning: Cannot resolve symbol - } - - - - - Indicates that the method is contained in a type that implements - interface - and this method is used to notify that some property value changed - - - The method should be non-static and conform to one of the supported signatures: - - NotifyChanged(string) - NotifyChanged(params string[]) - NotifyChanged{T}(Expression{Func{T}}) - NotifyChanged{T,U}(Expression{Func{T,U}}) - SetProperty{T}(ref T, T, string) - - - - internal class Foo : INotifyPropertyChanged { - public event PropertyChangedEventHandler PropertyChanged; - [NotifyPropertyChangedInvocator] - protected virtual void NotifyChanged(string propertyName) { ... } - - private string _name; - public string Name { - get { return _name; } - set { _name = value; NotifyChanged("LastName"); /* Warning */ } - } - } - - Examples of generated notifications: - - NotifyChanged("Property") - NotifyChanged(() => Property) - NotifyChanged((VM x) => x.Property) - SetProperty(ref myField, value, "Property") - - - - - - Describes dependency between method input and output - - -

Function Definition Table syntax:

- - FDT ::= FDTRow [;FDTRow]* - FDTRow ::= Input => Output | Output <= Input - Input ::= ParameterName: Value [, Input]* - Output ::= [ParameterName: Value]* {halt|stop|void|nothing|Value} - Value ::= true | false | null | notnull | canbenull - - If method has single input parameter, it's name could be omitted.
- Using halt (or void/nothing, which is the same) - for method output means that the methos doesn't return normally.
- canbenull annotation is only applicable for output parameters.
- You can use multiple [ContractAnnotation] for each FDT row, - or use single attribute with rows separated by semicolon.
-
- - - [ContractAnnotation("=> halt")] - public void TerminationMethod() - - - [ContractAnnotation("halt <= condition: false")] - public void Assert(bool condition, string text) // regular assertion method - - - [ContractAnnotation("s:null => true")] - public bool IsNullOrEmpty(string s) // string.IsNullOrEmpty() - - - // A method that returns null if the parameter is null, and not null if the parameter is not null - [ContractAnnotation("null => null; notnull => notnull")] - public object Transform(object data) - - - [ContractAnnotation("s:null=>false; =>true,result:notnull; =>false, result:null")] - public bool TryParse(string s, out Person result) - - -
- - - Indicates that marked element should be localized or not - - - [LocalizationRequiredAttribute(true)] - internal class Foo { - private string str = "my string"; // Warning: Localizable string - } - - - - - Indicates that the value of the marked type (or its derivatives) - cannot be compared using '==' or '!=' operators and Equals() - should be used instead. However, using '==' or '!=' for comparison - with null is always permitted. - - - [CannotApplyEqualityOperator] - class NoEquality { } - class UsesNoEquality { - public void Test() { - var ca1 = new NoEquality(); - var ca2 = new NoEquality(); - if (ca1 != null) { // OK - bool condition = ca1 == ca2; // Warning - } - } - } - - - - - When applied to a target attribute, specifies a requirement for any type marked - with the target attribute to implement or inherit specific type or types. - - - [BaseTypeRequired(typeof(IComponent)] // Specify requirement - internal class ComponentAttribute : Attribute { } - [Component] // ComponentAttribute requires implementing IComponent interface - internal class MyComponent : IComponent { } - - - - - Indicates that the marked symbol is used implicitly - (e.g. via reflection, in external library), so this symbol - will not be marked as unused (as well as by other usage inspections) - - - - - Should be used on attributes and causes ReSharper - to not mark symbols marked with such attributes as unused - (as well as by other usage inspections) - - - - Only entity marked with attribute considered used - - - Indicates implicit assignment to a member - - - - Indicates implicit instantiation of a type with fixed constructor signature. - That means any unused constructor parameters won't be reported as such. - - - - Indicates implicit instantiation of a type - - - - Specify what is considered used implicitly - when marked with - or - - - - Members of entity marked with attribute are considered used - - - Entity marked with attribute and all its members considered used - - - - This attribute is intended to mark publicly available API - which should not be removed and so is treated as used - - - - - Tells code analysis engine if the parameter is completely handled - when the invoked method is on stack. If the parameter is a delegate, - indicates that delegate is executed while the method is executed. - If the parameter is an enumerable, indicates that it is enumerated - while the method is executed - - - - - Indicates that a method does not make any observable state changes. - The same as System.Diagnostics.Contracts.PureAttribute - - - [Pure] private int Multiply(int x, int y) { return x * y; } - public void Foo() { - const int a = 2, b = 2; - Multiply(a, b); // Waring: Return value of pure method is not used - } - - - - - Indicates that a parameter is a path to a file or a folder - within a web project. Path can be relative or absolute, - starting from web root (~) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC action. If applied to a method, the MVC action name is calculated - implicitly from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC area. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC controller. If applied to a method, - the MVC controller name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC Master. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC model type. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, Object) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC partial view. If applied to a method, - the MVC partial view name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.RenderPartialExtensions.RenderPartial(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Allows disabling all inspections - for MVC views within a class or a method. - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC display template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.DisplayExtensions.DisplayForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC editor template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.EditorExtensions.EditorForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC template. - Use this attribute for custom wrappers similar to - System.ComponentModel.DataAnnotations.UIHintAttribute(System.String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC view. If applied to a method, the MVC view name is calculated implicitly - from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(Object) - - - - - ASP.NET MVC attribute. When applied to a parameter of an attribute, - indicates that this parameter is an MVC action name - - - [ActionName("Foo")] - public ActionResult Login(string returnUrl) { - ViewBag.ReturnUrl = Url.Action("Foo"); // OK - return RedirectToAction("Bar"); // Error: Cannot resolve action - } - - - - - Razor attribute. Indicates that a parameter or a method is a Razor section. - Use this attribute for custom wrappers similar to - System.Web.WebPages.WebPageBase.RenderSection(String) - - - - - Asynchronous continuation delegate - function invoked at the end of asynchronous - processing. - - Exception during asynchronous processing or null if no exception - was thrown. - - - - Helpers for asynchronous operations. - - - - - Iterates over all items in the given collection and runs the specified action - in sequence (each action executes only after the preceding one has completed without an error). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Repeats the specified asynchronous action multiple times and invokes asynchronous continuation at the end. - - The repeat count. - The asynchronous continuation to invoke at the end. - The action to invoke. - - - - Modifies the continuation by pre-pending given action to execute just before it. - - The async continuation. - The action to pre-pend. - Continuation which will execute the given action before forwarding to the actual continuation. - - - - Attaches a timeout to a continuation which will invoke the continuation when the specified - timeout has elapsed. - - The asynchronous continuation. - The timeout. - Wrapped continuation. - - - - Iterates over all items in the given collection and runs the specified action - in parallel (each action executes on a thread from thread pool). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Runs the specified asynchronous action synchronously (blocks until the continuation has - been invoked). - - The action. - - Using this method is not recommended because it will block the calling thread. - - - - - Wraps the continuation with a guard which will only make sure that the continuation function - is invoked only once. - - The asynchronous continuation. - Wrapped asynchronous continuation. - - - - Gets the combined exception from all exceptions in the list. - - The exceptions. - Combined exception or null if no exception was thrown. - - - - Asynchronous action. - - Continuation to be invoked at the end of action. - - - - Asynchronous action with one argument. - - Type of the argument. - Argument to the action. - Continuation to be invoked at the end of action. - - - - Represents the logging event with asynchronous continuation. - - - - - Initializes a new instance of the struct. - - The log event. - The continuation. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - A value of true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the log event. - - - - - Gets the continuation. - - - - - NLog internal logger. - - - - - Initializes static members of the InternalLogger class. - - - - - Logs the specified message at the specified level. - - Log level. - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the specified level. - - Log level. - Log message. - - - - Logs the specified message at the Trace level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Trace level. - - Log message. - - - - Logs the specified message at the Debug level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Debug level. - - Log message. - - - - Logs the specified message at the Info level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Info level. - - Log message. - - - - Logs the specified message at the Warn level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Warn level. - - Log message. - - - - Logs the specified message at the Error level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Error level. - - Log message. - - - - Logs the specified message at the Fatal level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Fatal level. - - Log message. - - - - Gets or sets the internal log level. - - - - - Gets or sets a value indicating whether internal messages should be written to the console output stream. - - - - - Gets or sets a value indicating whether internal messages should be written to the console error stream. - - - - - Gets or sets the name of the internal log file. - - A value of value disables internal logging to a file. - - - - Gets or sets the text writer that will receive internal logs. - - - - - Gets or sets a value indicating whether timestamp should be included in internal log output. - - - - - Gets a value indicating whether internal log includes Trace messages. - - - - - Gets a value indicating whether internal log includes Debug messages. - - - - - Gets a value indicating whether internal log includes Info messages. - - - - - Gets a value indicating whether internal log includes Warn messages. - - - - - Gets a value indicating whether internal log includes Error messages. - - - - - Gets a value indicating whether internal log includes Fatal messages. - - - - - A cyclic buffer of object. - - - - - Initializes a new instance of the class. - - Buffer size. - Whether buffer should grow as it becomes full. - The maximum number of items that the buffer can grow to. - - - - Adds the specified log event to the buffer. - - Log event. - The number of items in the buffer. - - - - Gets the array of events accumulated in the buffer and clears the buffer as one atomic operation. - - Events in the buffer. - - - - Gets the number of items in the array. - - - - - Condition and expression. - - - - - Base class for representing nodes in condition expression trees. - - - - - Converts condition text to a condition expression tree. - - Condition text to be converted. - Condition expression tree. - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Initializes a new instance of the class. - - Left hand side of the AND expression. - Right hand side of the AND expression. - - - - Returns a string representation of this expression. - - A concatenated '(Left) and (Right)' string. - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the conjunction operator. - - - - Gets the left hand side of the AND expression. - - - - - Gets the right hand side of the AND expression. - - - - - Exception during evaluation of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Condition layout expression (represented by a string literal - with embedded ${}). - - - - - Initializes a new instance of the class. - - The layout. - - - - Returns a string representation of this expression. - - String literal in single quotes. - - - - Evaluates the expression by calculating the value - of the layout in the specified evaluation context. - - Evaluation context. - The value of the layout. - - - - Gets the layout. - - The layout. - - - - Condition level expression (represented by the level keyword). - - - - - Returns a string representation of the expression. - - The 'level' string. - - - - Evaluates to the current log level. - - Evaluation context. Ignored. - The object representing current log level. - - - - Condition literal expression (numeric, LogLevel.XXX, true or false). - - - - - Initializes a new instance of the class. - - Literal value. - - - - Returns a string representation of the expression. - - The literal value. - - - - Evaluates the expression. - - Evaluation context. - The literal value as passed in the constructor. - - - - Gets the literal value. - - The literal value. - - - - Condition logger name expression (represented by the logger keyword). - - - - - Returns a string representation of this expression. - - A logger string. - - - - Evaluates to the logger name. - - Evaluation context. - The logger name. - - - - Condition message expression (represented by the message keyword). - - - - - Returns a string representation of this expression. - - The 'message' string. - - - - Evaluates to the logger message. - - Evaluation context. - The logger message. - - - - Marks class as a log event Condition and assigns a name to it. - - - - - Attaches a simple name to an item (such as , - , , etc.). - - - - - Initializes a new instance of the class. - - The name of the item. - - - - Gets the name of the item. - - The name of the item. - - - - Initializes a new instance of the class. - - Condition method name. - - - - Condition method invocation expression (represented by method(p1,p2,p3) syntax). - - - - - Initializes a new instance of the class. - - Name of the condition method. - of the condition method. - The method parameters. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the method info. - - - - - Gets the method parameters. - - The method parameters. - - - - A bunch of utility methods (mostly predicates) which can be used in - condition expressions. Parially inspired by XPath 1.0. - - - - - Compares two values for equality. - - The first value. - The second value. - true when two objects are equal, false otherwise. - - - - Compares two strings for equality. - - The first string. - The second string. - Optional. If true, case is ignored; if false (default), case is significant. - true when two strings are equal, false otherwise. - - - - Gets or sets a value indicating whether the second string is a substring of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a substring of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a prefix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a suffix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Returns the length of a string. - - A string whose lengths is to be evaluated. - The length of the string. - - - - Marks the class as containing condition methods. - - - - - Condition not expression. - - - - - Initializes a new instance of the class. - - The expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the expression to be negated. - - The expression. - - - - Condition or expression. - - - - - Initializes a new instance of the class. - - Left hand side of the OR expression. - Right hand side of the OR expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the alternative operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Exception during parsing of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Condition parser. Turns a string representation of condition expression - into an expression tree. - - - - - Initializes a new instance of the class. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - Instance of used to resolve references to condition methods and layout renderers. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - - Condition relational (==, !=, <, <=, - > or >=) expression. - - - - - Initializes a new instance of the class. - - The left expression. - The right expression. - The relational operator. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Compares the specified values using specified relational operator. - - The first value. - The second value. - The relational operator. - Result of the given relational operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Gets the relational operator. - - The operator. - - - - Relational operators used in conditions. - - - - - Equality (==). - - - - - Inequality (!=). - - - - - Less than (<). - - - - - Greater than (>). - - - - - Less than or equal (<=). - - - - - Greater than or equal (>=). - - - - - Hand-written tokenizer for conditions. - - - - - Initializes a new instance of the class. - - The string reader. - - - - Asserts current token type and advances to the next token. - - Expected token type. - If token type doesn't match, an exception is thrown. - - - - Asserts that current token is a keyword and returns its value and advances to the next token. - - Keyword value. - - - - Gets or sets a value indicating whether current keyword is equal to the specified value. - - The keyword. - - A value of true if current keyword is equal to the specified value; otherwise, false. - - - - - Gets or sets a value indicating whether the tokenizer has reached the end of the token stream. - - - A value of true if the tokenizer has reached the end of the token stream; otherwise, false. - - - - - Gets or sets a value indicating whether current token is a number. - - - A value of true if current token is a number; otherwise, false. - - - - - Gets or sets a value indicating whether the specified token is of specified type. - - The token type. - - A value of true if current token is of specified type; otherwise, false. - - - - - Gets the next token and sets and properties. - - - - - Gets the token position. - - The token position. - - - - Gets the type of the token. - - The type of the token. - - - - Gets the token value. - - The token value. - - - - Gets the value of a string token. - - The string token value. - - - - Mapping between characters and token types for punctuations. - - - - - Initializes a new instance of the CharToTokenType struct. - - The character. - Type of the token. - - - - Token types for condition expressions. - - - - - Marks the class or a member as advanced. Advanced classes and members are hidden by - default in generated documentation. - - - - - Initializes a new instance of the class. - - - - - Identifies that the output of layout or layout render does not change for the lifetime of the current appdomain. - - - - - Used to mark configurable parameters which are arrays. - Specifies the mapping between XML elements and .NET types. - - - - - Initializes a new instance of the class. - - The type of the array item. - The XML element name that represents the item. - - - - Gets the .NET type of the array item. - - - - - Gets the XML element name. - - - - - NLog configuration section handler class for configuring NLog from App.config. - - - - - Creates a configuration section handler. - - Parent object. - Configuration context object. - Section XML node. - The created section handler object. - - - - Constructs a new instance the configuration item (target, layout, layout renderer, etc.) given its type. - - Type of the item. - Created object of the specified type. - - - - Provides registration information for named items (targets, layouts, layout renderers, etc.) managed by NLog. - - - - - Initializes static members of the class. - - - - - Initializes a new instance of the class. - - The assemblies to scan for named items. - - - - Registers named items from the assembly. - - The assembly. - - - - Registers named items from the assembly. - - The assembly. - Item name prefix. - - - - Clears the contents of all factories. - - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Builds the default configuration item factory. - - Default factory. - - - - Registers items in NLog.Extended.dll using late-bound types, so that we don't need a reference to NLog.Extended.dll. - - - - - Gets or sets default singleton instance of . - - - - - Gets or sets the creator delegate used to instantiate configuration objects. - - - By overriding this property, one can enable dependency injection or interception for created objects. - - - - - Gets the factory. - - The target factory. - - - - Gets the factory. - - The filter factory. - - - - Gets the factory. - - The layout renderer factory. - - - - Gets the factory. - - The layout factory. - - - - Gets the ambient property factory. - - The ambient property factory. - - - - Gets the time source factory. - - The time source factory. - - - - Gets the condition method factory. - - The condition method factory. - - - - Attribute used to mark the default parameters for layout renderers. - - - - - Initializes a new instance of the class. - - - - - Factory for class-based items. - - The base type of each item. - The type of the attribute used to annotate itemss. - - - - Represents a factory of named items (such as targets, layouts, layout renderers, etc.). - - Base type for each item instance. - Item definition type (typically or ). - - - - Registers new item definition. - - Name of the item. - Item definition. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Creates item instance. - - Name of the item. - Newly created item instance. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Provides means to populate factories of named items (such as targets, layouts, layout renderers, etc.). - - - - - Scans the assembly. - - The assembly. - The prefix. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Registers the item based on a type name. - - Name of the item. - Name of the type. - - - - Clears the contents of the factory. - - - - - Registers a single type definition. - - The item name. - The type of the item. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Creates an item instance. - - The name of the item. - Created item. - - - - Implemented by objects which support installation and uninstallation. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Provides context for install/uninstall operations. - - - - - Mapping between log levels and console output colors. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log output. - - - - Logs the specified trace message. - - The message. - The arguments. - - - - Logs the specified debug message. - - The message. - The arguments. - - - - Logs the specified informational message. - - The message. - The arguments. - - - - Logs the specified warning message. - - The message. - The arguments. - - - - Logs the specified error message. - - The message. - The arguments. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates the log event which can be used to render layouts during installation/uninstallations. - - Log event info object. - - - - Gets or sets the installation log level. - - - - - Gets or sets a value indicating whether to ignore failures during installation. - - - - - Gets the installation parameters. - - - - - Gets or sets the log output. - - - - - Keeps logging configuration and provides simple API - to modify it. - - - - - Initializes a new instance of the class. - - - - - Registers the specified target object under a given name. - - - Name of the target. - - - The target object. - - - - - Finds the target with the specified name. - - - The name of the target to be found. - - - Found target or when the target is not found. - - - - - Called by LogManager when one of the log configuration files changes. - - - A new instance of that represents the updated configuration. - - - - - Removes the specified named target. - - - Name of the target. - - - - - Installs target-specific objects on current system. - - The installation context. - - Installation typically runs with administrative permissions. - - - - - Uninstalls target-specific objects from current system. - - The installation context. - - Uninstallation typically runs with administrative permissions. - - - - - Closes all targets and releases any unmanaged resources. - - - - - Flushes any pending log messages on all appenders. - - The asynchronous continuation. - - - - Validates the configuration. - - - - - Gets a collection of named targets specified in the configuration. - - - A list of named targets. - - - Unnamed targets (such as those wrapped by other targets) are not returned. - - - - - Gets the collection of file names which should be watched for changes by NLog. - - - - - Gets the collection of logging rules. - - - - - Gets or sets the default culture info use. - - - - - Gets all targets. - - - - - Arguments for events. - - - - - Initializes a new instance of the class. - - The old configuration. - The new configuration. - - - - Gets the old configuration. - - The old configuration. - - - - Gets the new configuration. - - The new configuration. - - - - Arguments for . - - - - - Initializes a new instance of the class. - - Whether configuration reload has succeeded. - The exception during configuration reload. - - - - Gets a value indicating whether configuration reload has succeeded. - - A value of true if succeeded; otherwise, false. - - - - Gets the exception which occurred during configuration reload. - - The exception. - - - - Represents a logging rule. An equivalent of <logger /> configuration element. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Minimum log level needed to trigger this rule. - Target to be written to when the rule matches. - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Target to be written to when the rule matches. - By default no logging levels are defined. You should call and to set them. - - - - Enables logging for a particular level. - - Level to be enabled. - - - - Disables logging for a particular level. - - Level to be disabled. - - - - Returns a string representation of . Used for debugging. - - - A that represents the current . - - - - - Checks whether te particular log level is enabled for this rule. - - Level to be checked. - A value of when the log level is enabled, otherwise. - - - - Checks whether given name matches the logger name pattern. - - String to be matched. - A value of when the name matches, otherwise. - - - - Gets a collection of targets that should be written to when this rule matches. - - - - - Gets a collection of child rules to be evaluated when this rule matches. - - - - - Gets a collection of filters to be checked before writing to targets. - - - - - Gets or sets a value indicating whether to quit processing any further rule when this one matches. - - - - - Gets or sets logger name pattern. - - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends but not anywhere else. - - - - - Gets the collection of log levels enabled by this rule. - - - - - Factory for locating methods. - - The type of the class marker attribute. - The type of the method marker attribute. - - - - Scans the assembly for classes marked with - and methods marked with and adds them - to the factory. - - The assembly. - The prefix to use for names. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Clears contents of the factory. - - - - - Registers the definition of a single method. - - The method name. - The method info. - - - - Tries to retrieve method by name. - - The method name. - The result. - A value of true if the method was found, false otherwise. - - - - Retrieves method by name. - - Method name. - MethodInfo object. - - - - Tries to get method definition. - - The method . - The result. - A value of true if the method was found, false otherwise. - - - - Gets a collection of all registered items in the factory. - - - Sequence of key/value pairs where each key represents the name - of the item and value is the of - the item. - - - - - Marks the object as configuration item for NLog. - - - - - Initializes a new instance of the class. - - - - - Represents simple XML element with case-insensitive attribute semantics. - - - - - Initializes a new instance of the class. - - The input URI. - - - - Initializes a new instance of the class. - - The reader to initialize element from. - - - - Prevents a default instance of the class from being created. - - - - - Returns children elements with the specified element name. - - Name of the element. - Children elements with the specified element name. - - - - Gets the required attribute. - - Name of the attribute. - Attribute value. - Throws if the attribute is not specified. - - - - Gets the optional boolean attribute value. - - Name of the attribute. - Default value to return if the attribute is not found. - Boolean attribute value or default. - - - - Gets the optional attribute value. - - Name of the attribute. - The default value. - Value of the attribute or default value. - - - - Asserts that the name of the element is among specified element names. - - The allowed names. - - - - Gets the element name. - - - - - Gets the dictionary of attribute values. - - - - - Gets the collection of child elements. - - - - - Gets the value of the element. - - - - - Attribute used to mark the required parameters for targets, - layout targets and filters. - - - - - Provides simple programmatic configuration API used for trivial logging cases. - - - - - Configures NLog for console logging so that all messages above and including - the level are output to the console. - - - - - Configures NLog for console logging so that all messages above and including - the specified level are output to the console. - - The minimal logging level. - - - - Configures NLog for to log to the specified target so that all messages - above and including the level are output. - - The target to log all messages to. - - - - Configures NLog for to log to the specified target so that all messages - above and including the specified level are output. - - The target to log all messages to. - The minimal logging level. - - - - Configures NLog for file logging so that all messages above and including - the level are written to the specified file. - - Log file name. - - - - Configures NLog for file logging so that all messages above and including - the specified level are written to the specified file. - - Log file name. - The minimal logging level. - - - - Value indicating how stack trace should be captured when processing the log event. - - - - - Stack trace should not be captured. - - - - - Stack trace should be captured without source-level information. - - - - - Stack trace should be captured including source-level information such as line numbers. - - - - - Capture maximum amount of the stack trace information supported on the plaform. - - - - - Marks the layout or layout renderer as producing correct results regardless of the thread - it's running on. - - - - - A class for configuring NLog through an XML configuration file - (App.config style or App.nlog style). - - - - - Initializes a new instance of the class. - - Configuration file to be read. - - - - Initializes a new instance of the class. - - Configuration file to be read. - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - The XML element. - Name of the XML file. - - - - Initializes a new instance of the class. - - The XML element. - Name of the XML file. - If set to true errors will be ignored during file processing. - - - - Re-reads the original configuration file and returns the new object. - - The new object. - - - - Initializes the configuration. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Gets the default object by parsing - the application configuration file (app.exe.config). - - - - - Gets or sets a value indicating whether the configuration files - should be watched for changes and reloaded automatically when changed. - - - - - Gets the collection of file names which should be watched for changes by NLog. - This is the list of configuration files processed. - If the autoReload attribute is not set it returns empty collection. - - - - - Matches when the specified condition is met. - - - Conditions are expressed using a simple language - described here. - - - - - An abstract filter class. Provides a way to eliminate log messages - based on properties other than logger name and log level. - - - - - Initializes a new instance of the class. - - - - - Gets the result of evaluating filter against given log event. - - The log event. - Filter result. - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the action to be taken when filter matches. - - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the condition expression. - - - - - - Marks class as a layout renderer and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the filter. - - - - Filter result. - - - - - The filter doesn't want to decide whether to log or discard the message. - - - - - The message should be logged. - - - - - The message should not be logged. - - - - - The message should be logged and processing should be finished. - - - - - The message should not be logged and processing should be finished. - - - - - A base class for filters that are based on comparing a value to a layout. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the layout to be used to filter log messages. - - The layout. - - - - - Matches when the calculated layout contains the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets the substring to be matched. - - - - - - Matches when the calculated layout is equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets a string to compare the layout to. - - - - - - Matches when the calculated layout does NOT contain the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the substring to be matched. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Matches when the calculated layout is NOT equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Initializes a new instance of the class. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a string to compare the layout to. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Global Diagnostics Context - used for log4net compatibility. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Global Diagnostics Context - a dictionary structure to hold per-application-instance values. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Various helper methods for accessing state of ASP application. - - - - - Internal configuration manager used to read .NET configuration files. - Just a wrapper around the BCL ConfigurationManager, but used to enable - unit testing. - - - - - Interface for the wrapper around System.Configuration.ConfigurationManager. - - - - - Gets the wrapper around ConfigurationManager.AppSettings. - - - - - Gets the wrapper around ConfigurationManager.AppSettings. - - - - - Provides untyped IDictionary interface on top of generic IDictionary. - - The type of the key. - The type of the value. - - - - Initializes a new instance of the DictionaryAdapter class. - - The implementation. - - - - Adds an element with the provided key and value to the object. - - The to use as the key of the element to add. - The to use as the value of the element to add. - - - - Removes all elements from the object. - - - - - Determines whether the object contains an element with the specified key. - - The key to locate in the object. - - True if the contains an element with the key; otherwise, false. - - - - - Returns an object for the object. - - - An object for the object. - - - - - Removes the element with the specified key from the object. - - The key of the element to remove. - - - - Copies the elements of the to an , starting at a particular index. - - The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. - The zero-based index in at which copying begins. - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Gets an object containing the values in the object. - - - - An object containing the values in the object. - - - - - Gets the number of elements contained in the . - - - - The number of elements contained in the . - - - - - Gets a value indicating whether access to the is synchronized (thread safe). - - - true if access to the is synchronized (thread safe); otherwise, false. - - - - - Gets an object that can be used to synchronize access to the . - - - - An object that can be used to synchronize access to the . - - - - - Gets a value indicating whether the object has a fixed size. - - - true if the object has a fixed size; otherwise, false. - - - - - Gets a value indicating whether the object is read-only. - - - true if the object is read-only; otherwise, false. - - - - - Gets an object containing the keys of the object. - - - - An object containing the keys of the object. - - - - - Gets or sets the with the specified key. - - Dictionary key. - Value corresponding to key or null if not found - - - - Wrapper IDictionaryEnumerator. - - - - - Initializes a new instance of the class. - - The wrapped. - - - - Advances the enumerator to the next element of the collection. - - - True if the enumerator was successfully advanced to the next element; false if the enumerator has passed the end of the collection. - - - - - Sets the enumerator to its initial position, which is before the first element in the collection. - - - - - Gets both the key and the value of the current dictionary entry. - - - - A containing both the key and the value of the current dictionary entry. - - - - - Gets the key of the current dictionary entry. - - - - The key of the current element of the enumeration. - - - - - Gets the value of the current dictionary entry. - - - - The value of the current element of the enumeration. - - - - - Gets the current element in the collection. - - - - The current element in the collection. - - - - - LINQ-like helpers (cannot use LINQ because we must work with .NET 2.0 profile). - - - - - Filters the given enumerable to return only items of the specified type. - - - Type of the item. - - - The enumerable. - - - Items of specified type. - - - - - Reverses the specified enumerable. - - - Type of enumerable item. - - - The enumerable. - - - Reversed enumerable. - - - - - Determines is the given predicate is met by any element of the enumerable. - - Element type. - The enumerable. - The predicate. - True if predicate returns true for any element of the collection, false otherwise. - - - - Converts the enumerable to list. - - Type of the list element. - The enumerable. - List of elements. - - - - Safe way to get environment variables. - - - - - Helper class for dealing with exceptions. - - - - - Determines whether the exception must be rethrown. - - The exception. - True if the exception must be rethrown, false otherwise. - - - - Object construction helper. - - - - - Adapter for to - - - - - Interface for fakeable the current . Not fully implemented, please methods/properties as necessary. - - - - - Gets or sets the base directory that the assembly resolver uses to probe for assemblies. - - - - - Gets or sets the name of the configuration file for an application domain. - - - - - Gets or sets the list of directories under the application base directory that are probed for private assemblies. - - - - - Gets or set the friendly name. - - - - - Process exit event. - - - - - Domain unloaded event. - - - - - Initializes a new instance of the class. - - The to wrap. - - - - Gets a the current wrappered in a . - - - - - Gets or sets the base directory that the assembly resolver uses to probe for assemblies. - - - - - Gets or sets the name of the configuration file for an application domain. - - - - - Gets or sets the list of directories under the application base directory that are probed for private assemblies. - - - - - Gets or set the friendly name. - - - - - Process exit event. - - - - - Domain unloaded event. - - - - - Base class for optimized file appenders. - - - - - Initializes a new instance of the class. - - Name of the file. - The create parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Records the last write time for a file. - - - - - Records the last write time for a file to be specific date. - - Date and time when the last write occurred. - - - - Creates the file stream. - - If set to true allow concurrent writes. - A object which can be used to write to the file. - - - - Gets the name of the file. - - The name of the file. - - - - Gets the last write time. - - The last write time. - - - - Gets the open time of the file. - - The open time. - - - - Gets the file creation parameters. - - The file creation parameters. - - - - Implementation of which caches - file information. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Closes this instance of the appender. - - - - - Flushes this current appender. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Writes the specified bytes to a file. - - The bytes to be written. - - - - Factory class which creates objects. - - - - - Interface implemented by all factories capable of creating file appenders. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - Instance of which can be used to write to the file. - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Interface that provides parameters for create file function. - - - - - Provides a multiprocess-safe atomic file appends while - keeping the files open. - - - On Unix you can get all the appends to be atomic, even when multiple - processes are trying to write to the same file, because setting the file - pointer to the end of the file and appending can be made one operation. - On Win32 we need to maintain some synchronization between processes - (global named mutex is used for this) - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes to be written. - - - - Closes this instance. - - - - - Flushes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Multi-process and multi-host file appender which attempts - to get exclusive write access and retries if it's not available. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized single-process file appender which keeps the file open for exclusive write. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized routines to get the size and last write time of the specified file. - - - - - Initializes static members of the FileInfoHelper class. - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - A value of true if file information was retrieved successfully, false otherwise. - - - - Form helper methods. - - - - - Creates RichTextBox and docks in parentForm. - - Name of RichTextBox. - Form to dock RichTextBox. - Created RichTextBox. - - - - Finds control embedded on searchControl. - - Name of the control. - Control in which we're searching for control. - A value of null if no control has been found. - - - - Finds control of specified type embended on searchControl. - - The type of the control. - Name of the control. - Control in which we're searching for control. - - A value of null if no control has been found. - - - - - Creates a form. - - Name of form. - Width of form. - Height of form. - Auto show form. - If set to true the form will be minimized. - If set to true the form will be created as tool window. - Created form. - - - - Interface implemented by layouts and layout renderers. - - - - - Renders the the value of layout or layout renderer in the context of the specified log event. - - The log event. - String representation of a layout. - - - - Supports mocking of SMTP Client code. - - - - - Supports object initialization and termination. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Allows components to request stack trace information to be provided in the . - - - - - Gets the level of stack trace information required by the implementing class. - - - - - Logger configuration. - - - - - Initializes a new instance of the class. - - The targets by level. - - - - Gets targets for the specified level. - - The level. - Chain of targets with attached filters. - - - - Determines whether the specified level is enabled. - - The level. - - A value of true if the specified level is enabled; otherwise, false. - - - - - Message Box helper. - - - - - Shows the specified message using platform-specific message box. - - The message. - The caption. - - - - Watches multiple files at the same time and raises an event whenever - a single change is detected in any of those files. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Stops the watching. - - - - - Watches the specified files for changes. - - The file names. - - - - Occurs when a change is detected in one of the monitored files. - - - - - Supports mocking of SMTP Client code. - - - - - Sends a QUIT message to the SMTP server, gracefully ends the TCP connection, and releases all resources used by the current instance of the class. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Supports mocking of SMTP Client code. - - - - - Network sender which uses HTTP or HTTPS POST. - - - - - A base class for all network senders. Supports one-way sending of messages - over various protocols. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Finalizes an instance of the NetworkSender class. - - - - - Initializes this network sender. - - - - - Closes the sender and releases any unmanaged resources. - - The continuation. - - - - Flushes any pending messages and invokes a continuation. - - The continuation. - - - - Send the given text over the specified protocol. - - Bytes to be sent. - Offset in buffer. - Number of bytes to send. - The asynchronous continuation. - - - - Closes the sender and releases any unmanaged resources. - - - - - Performs sender-specific initialization. - - - - - Performs sender-specific close operation. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Parses the URI into an endpoint address. - - The URI to parse. - The address family. - Parsed endpoint. - - - - Gets the address of the network endpoint. - - - - - Gets the last send time. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Creates instances of objects for given URLs. - - - - - Creates a new instance of the network sender based on a network URL. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - - A newly created network sender. - - - - - Interface for mocking socket calls. - - - - - Default implementation of . - - - - - Creates a new instance of the network sender based on a network URL:. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - /// - A newly created network sender. - - - - - Socket proxy for mocking Socket code. - - - - - Initializes a new instance of the class. - - The address family. - Type of the socket. - Type of the protocol. - - - - Closes the wrapped socket. - - - - - Invokes ConnectAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendToAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Sends messages over a TCP network connection. - - - - - Initializes a new instance of the class. - - URL. Must start with tcp://. - The address family. - - - - Creates the socket with given parameters. - - The address family. - Type of the socket. - Type of the protocol. - Instance of which represents the socket. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Sends the specified text over the connected socket. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Facilitates mocking of class. - - - - - Raises the Completed event. - - - - - Sends messages over the network as UDP datagrams. - - - - - Initializes a new instance of the class. - - URL. Must start with udp://. - The address family. - - - - Creates the socket. - - The address family. - Type of the socket. - Type of the protocol. - Implementation of to use. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Sends the specified text as a UDP datagram. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Scans (breadth-first) the object graph following all the edges whose are - instances have attached and returns - all objects implementing a specified interfaces. - - - - - Finds the objects which have attached which are reachable - from any of the given root objects when traversing the object graph over public properties. - - Type of the objects to return. - The root objects. - Ordered list of objects implementing T. - - - - Parameter validation utilities. - - - - - Asserts that the value is not null and throws otherwise. - - The value to check. - Name of the parameter. - - - - Detects the platform the NLog is running on. - - - - - Gets the current runtime OS. - - - - - Gets a value indicating whether current OS is a desktop version of Windows. - - - - - Gets a value indicating whether current OS is Win32-based (desktop or mobile). - - - - - Gets a value indicating whether current OS is Unix-based. - - - - - Portable implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Portable implementation of . - - - - - Returns details about current process and thread in a portable manner. - - - - - Initializes static members of the ThreadIDHelper class. - - - - - Gets the singleton instance of PortableThreadIDHelper or - Win32ThreadIDHelper depending on runtime environment. - - The instance. - - - - Gets current thread ID. - - - - - Gets current process ID. - - - - - Gets current process name. - - - - - Gets current process name (excluding filename extension, if any). - - - - - Initializes a new instance of the class. - - - - - Gets the name of the process. - - - - - Gets current thread ID. - - - - - - Gets current process ID. - - - - - - Gets current process name. - - - - - - Gets current process name (excluding filename extension, if any). - - - - - - Reflection helpers for accessing properties. - - - - - Reflection helpers. - - - - - Gets all usable exported types from the given assembly. - - Assembly to scan. - Usable types from the given assembly. - Types which cannot be loaded are skipped. - - - - Supported operating systems. - - - If you add anything here, make sure to add the appropriate detection - code to - - - - - Any operating system. - - - - - Unix/Linux operating systems. - - - - - Windows CE. - - - - - Desktop versions of Windows (95,98,ME). - - - - - Windows NT, 2000, 2003 and future versions based on NT technology. - - - - - Unknown operating system. - - - - - Simple character tokenizer. - - - - - Initializes a new instance of the class. - - The text to be tokenized. - - - - Implements a single-call guard around given continuation function. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - - - - Continuation function which implements the single-call guard. - - The exception. - - - - Provides helpers to sort log events and associated continuations. - - - - - Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. - - The type of the value. - The type of the key. - The inputs. - The key selector function. - - Dictonary where keys are unique input keys, and values are lists of . - - - - - Key selector delegate. - - The type of the value. - The type of the key. - Value to extract key information from. - Key selected from log event. - - - - Utilities for dealing with values. - - - - - Represents target with a chain of filters which determine - whether logging should happen. - - - - - Initializes a new instance of the class. - - The target. - The filter chain. - - - - Gets the stack trace usage. - - A value that determines stack trace handling. - - - - Gets the target. - - The target. - - - - Gets the filter chain. - - The filter chain. - - - - Gets or sets the next item in the chain. - - The next item in the chain. - - - - Helper for dealing with thread-local storage. - - - - - Allocates the data slot for storing thread-local information. - - Allocated slot key. - - - - Gets the data for a slot in thread-local storage. - - Type of the data. - The slot to get data for. - - Slot data (will create T if null). - - - - - Wraps with a timeout. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - The timeout. - - - - Continuation function which implements the timeout logic. - - The exception. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - URL Encoding helper. - - - - - Win32-optimized implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Win32-optimized implementation of . - - - - - Initializes a new instance of the class. - - - - - Gets current thread ID. - - - - - - Gets current process ID. - - - - - - Gets current process name. - - - - - - Gets current process name (excluding filename extension, if any). - - - - - - Helper class for XML - - - - - removes any unusual unicode characters that can't be encoded into XML - - - - - Safe version of WriteAttributeString - - - - - - - - - - Safe version of WriteAttributeString - - - - - - - - Safe version of WriteElementSafeString - - - - - - - - - - Safe version of WriteCData - - - - - - - Designates a property of the class as an ambient property. - - - - - Initializes a new instance of the class. - - Ambient property name. - - - - ASP Application variable. - - - - - Render environmental information related to logging events. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Renders the the value of layout renderer in the context of the specified log event. - - The log event. - String representation of a layout renderer. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Gets the logging configuration this target is part of. - - - - - Renders the specified ASP Application variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the ASP Application variable name. - - - - - - ASP Request variable. - - - - - Renders the specified ASP Request variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the item name. The QueryString, Form, Cookies, or ServerVariables collection variables having the specified name are rendered. - - - - - - Gets or sets the QueryString variable to be rendered. - - - - - - Gets or sets the form variable to be rendered. - - - - - - Gets or sets the cookie to be rendered. - - - - - - Gets or sets the ServerVariables item to be rendered. - - - - - - ASP Session variable. - - - - - Renders the specified ASP Session variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the session variable name. - - - - - - Assembly version. - - - - - Renders assembly version and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The current application domain's base directory. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the application base directory and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with with the base directory. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with with the base directory. - - - - - - The call site (class name, method name and source information). - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render the class name. - - - - - - Gets or sets a value indicating whether to render the method name. - - - - - - Gets or sets a value indicating whether the method name will be cleaned up if it is detected as an anonymous delegate. - - - - - - Gets or sets the number of frames to skip. - - - - - Gets or sets a value indicating whether to render the source file name and line number. - - - - - - Gets or sets a value indicating whether to include source file path. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - A counter value (increases on each layout rendering). - - - - - Initializes a new instance of the class. - - - - - Renders the specified counter value and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the initial value of the counter. - - - - - - Gets or sets the value to be added to the counter after each layout rendering. - - - - - - Gets or sets the name of the sequence. Different named sequences can have individual values. - - - - - - Current date and time. - - - - - Initializes a new instance of the class. - - - - - Renders the current date and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the culture used for rendering. - - - - - - Gets or sets the date format. Can be any argument accepted by DateTime.ToString(format). - - - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - The environment variable. - - - - - Renders the specified environment variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the environment variable. - - - - - - Gets or sets the default value to be used when the environment variable is not set. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Exception information provided through - a call to one of the Logger.*Exception() methods. - - - - - Initializes a new instance of the class. - - - - - Renders the specified exception information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the format of the output. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the format of the output of inner exceptions. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the separator used to concatenate parts specified in the Format. - - - - - - Gets or sets the maximum number of inner exceptions to include in the output. - By default inner exceptions are not enabled for compatibility with NLog 1.0. - - - - - - Gets or sets the separator between inner exceptions. - - - - - - Renders contents of the specified file. - - - - - Initializes a new instance of the class. - - - - - Renders the contents of the specified file and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file. - - - - - - Gets or sets the encoding used in the file. - - The encoding. - - - - - The information about the garbage collector. - - - - - Initializes a new instance of the class. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Gets or sets the property of System.GC to retrieve. - - - - - Total memory allocated. - - - - - Total memory allocated (perform full garbage collection first). - - - - - Gets the number of Gen0 collections. - - - - - Gets the number of Gen1 collections. - - - - - Gets the number of Gen2 collections. - - - - - Maximum generation number supported by GC. - - - - - Global Diagnostics Context item. Provided for compatibility with log4net. - - - - - Renders the specified Global Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Globally-unique identifier (GUID). - - - - - Initializes a new instance of the class. - - - - - Renders a newly generated GUID string and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the GUID format as accepted by Guid.ToString() method. - - - - - - Thread identity information (name and authentication information). - - - - - Initializes a new instance of the class. - - - - - Renders the specified identity information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the separator to be used when concatenating - parts of identity information. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.Name. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.AuthenticationType. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.IsAuthenticated. - - - - - - Installation parameter (passed to InstallNLogConfig). - - - - - Renders the specified installation parameter and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the parameter. - - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Name of the layout renderer. - - - - The log level. - - - - - Renders the current log level and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - A string literal. - - - This is used to escape '${' sequence - as ;${literal:text=${}' - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The literal text value. - This is used by the layout compiler. - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the literal text. - - - - - - XML event description compatible with log4j, Chainsaw and NLogViewer. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the XML logging event and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets a value indicating whether the XML should use spaces for indentation. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include contents of the dictionary. - - - - - - Gets or sets a value indicating whether to include contents of the stack. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - The logger name. - - - - - Renders the logger name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render short logger name (the part after the trailing dot character). - - - - - - The date and time in a long, sortable format yyyy-MM-dd HH:mm:ss.mmm. - - - - - Renders the date in the long format (yyyy-MM-dd HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - The machine name that the process is running on. - - - - - Initializes the layout renderer. - - - - - Renders the machine name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Mapped Diagnostic Context item. Provided for compatibility with log4net. - - - - - Renders the specified MDC item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - The formatted log message. - - - - - Initializes a new instance of the class. - - - - - Renders the log message including any positional parameters and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to log exception along with message. - - - - - - Gets or sets the string that separates message from the exception. - - - - - - Nested Diagnostic Context item. Provided for compatibility with log4net. - - - - - Initializes a new instance of the class. - - - - - Renders the specified Nested Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the number of bottom stack frames to be rendered. - - - - - - Gets or sets the separator to be used for concatenating nested diagnostics context output. - - - - - - A newline literal. - - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The directory where NLog.dll is located. - - - - - Initializes static members of the NLogDirLayoutRenderer class. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The performance counter. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Renders the specified environment variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the counter category. - - - - - - Gets or sets the name of the performance counter. - - - - - - Gets or sets the name of the performance counter instance (e.g. this.Global_). - - - - - - Gets or sets the name of the machine to read the performance counter from. - - - - - - The identifier of the current process. - - - - - Renders the current process ID. - - The to append the rendered data to. - Logging event. - - - - The information about the running process. - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Property of System.Diagnostics.Process to retrieve. - - - - - Base Priority. - - - - - Exit Code. - - - - - Exit Time. - - - - - Process Handle. - - - - - Handle Count. - - - - - Whether process has exited. - - - - - Process ID. - - - - - Machine name. - - - - - Handle of the main window. - - - - - Title of the main window. - - - - - Maximum Working Set. - - - - - Minimum Working Set. - - - - - Non-paged System Memory Size. - - - - - Non-paged System Memory Size (64-bit). - - - - - Paged Memory Size. - - - - - Paged Memory Size (64-bit).. - - - - - Paged System Memory Size. - - - - - Paged System Memory Size (64-bit). - - - - - Peak Paged Memory Size. - - - - - Peak Paged Memory Size (64-bit). - - - - - Peak Vitual Memory Size. - - - - - Peak Virtual Memory Size (64-bit).. - - - - - Peak Working Set Size. - - - - - Peak Working Set Size (64-bit). - - - - - Whether priority boost is enabled. - - - - - Priority Class. - - - - - Private Memory Size. - - - - - Private Memory Size (64-bit). - - - - - Privileged Processor Time. - - - - - Process Name. - - - - - Whether process is responding. - - - - - Session ID. - - - - - Process Start Time. - - - - - Total Processor Time. - - - - - User Processor Time. - - - - - Virtual Memory Size. - - - - - Virtual Memory Size (64-bit). - - - - - Working Set Size. - - - - - Working Set Size (64-bit). - - - - - The name of the current process. - - - - - Renders the current process name (optionally with a full path). - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to write the full path to the process executable. - - - - - - The process time in format HH:mm:ss.mmm. - - - - - Renders the current process running time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - High precision timer, based on the value returned from QueryPerformanceCounter() optionally converted to seconds. - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to normalize the result by subtracting - it from the result of the first call (so that it's effectively zero-based). - - - - - - Gets or sets a value indicating whether to output the difference between the result - of QueryPerformanceCounter and the previous one. - - - - - - Gets or sets a value indicating whether to convert the result to seconds by dividing - by the result of QueryPerformanceFrequency(). - - - - - - Gets or sets the number of decimal digits to be included in output. - - - - - - Gets or sets a value indicating whether to align decimal point (emit non-significant zeros). - - - - - - A value from the Registry. - - - - - Reads the specified registry key and value and appends it to - the passed . - - The to append the rendered data to. - Logging event. Ignored. - - - - Gets or sets the registry value name. - - - - - - Gets or sets the value to be output when the specified registry key or value is not found. - - - - - - Gets or sets the registry key. - - - Must have one of the forms: -
    -
  • HKLM\Key\Full\Name
  • -
  • HKEY_LOCAL_MACHINE\Key\Full\Name
  • -
  • HKCU\Key\Full\Name
  • -
  • HKEY_CURRENT_USER\Key\Full\Name
  • -
-
- -
- - - The short date in a sortable format yyyy-MM-dd. - - - - - Renders the current short date string (yyyy-MM-dd) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - System special folder path (includes My Documents, My Music, Program Files, Desktop, and more). - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the system special folder to use. - - - Full list of options is available at MSDN. - The most common ones are: -
    -
  • ApplicationData - roaming application data for current user.
  • -
  • CommonApplicationData - application data for all users.
  • -
  • MyDocuments - My Documents
  • -
  • DesktopDirectory - Desktop directory
  • -
  • LocalApplicationData - non roaming application data
  • -
  • Personal - user profile directory
  • -
  • System - System directory
  • -
-
- -
- - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - Format of the ${stacktrace} layout renderer output. - - - - - Raw format (multiline - as returned by StackFrame.ToString() method). - - - - - Flat format (class and method names displayed in a single line). - - - - - Detailed flat format (method signatures displayed in a single line). - - - - - Stack trace renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the output format of the stack trace. - - - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the stack frame separator string. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - - A temporary directory. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The identifier of the current thread. - - - - - Renders the current thread identifier and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The name of the current thread. - - - - - Renders the current thread name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The Ticks value of current date and time. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The time in a 24-hour, sortable format HH:mm:ss.mmm. - - - - - Renders time in the 24-h format (HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Thread Windows identity information (username). - - - - - Initializes a new instance of the class. - - - - - Renders the current thread windows identity information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether domain name should be included. - - - - - - Gets or sets a value indicating whether username should be included. - - - - - - Applies caching to another layout output. - - - The value of the inner layout will be rendered only once and reused subsequently. - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Renders the inner message, processes it and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets the wrapped layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets a value indicating whether this is enabled. - - - - - - Filters characters not allowed in the file names by replacing them with safe character. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to modify the output of this renderer so it can be used as a part of file path - (illegal characters are replaced with '_'). - - - - - - Escapes output of another layout using JSON rules. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - JSON-encoded string. - - - - Gets or sets a value indicating whether to apply JSON encoding. - - - - - - Converts the result of another layout output to lower case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Only outputs the inner layout when exception has been defined for log message. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Applies padding to another layout output. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the number of characters to pad the output to. - - - Positive padding values cause left padding, negative values - cause right padding to the desired width. - - - - - - Gets or sets the padding character. - - - - - - Gets or sets a value indicating whether to trim the - rendered text to the absolute value of the padding length. - - - - - - Replaces a string in the output of another layout with another string. - - - - - Initializes the layout renderer. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Post-processed text. - - - - A match evaluator for Regular Expression based replacing - - - - - - - - - - Gets or sets the text to search for. - - The text search for. - - - - - Gets or sets a value indicating whether regular expressions should be used. - - A value of true if regular expressions should be used otherwise, false. - - - - - Gets or sets the replacement string. - - The replacement string. - - - - - Gets or sets the group name to replace when using regular expressions. - Leave null or empty to replace without using group name. - - The group name. - - - - - Gets or sets a value indicating whether to ignore case. - - A value of true if case should be ignored when searching; otherwise, false. - - - - - Gets or sets a value indicating whether to search for whole words. - - A value of true if whole words should be searched for; otherwise, false. - - - - - This class was created instead of simply using a lambda expression so that the "ThreadAgnosticAttributeTest" will pass - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Encodes/Decodes ROT-13-encoded string. - - The string to be encoded/decoded. - Encoded/Decoded text. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the layout to be wrapped. - - The layout to be wrapped. - This variable is for backwards compatibility - - - - - Trims the whitespace from the result of another layout renderer. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Converts the result of another layout output to upper case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether upper case conversion should be applied. - - A value of true if upper case conversion should be applied otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Encodes the result of another layout output for use with URLs. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets a value indicating whether spaces should be translated to '+' or '%20'. - - A value of true if space should be translated to '+'; otherwise, false. - - - - - Outputs alternative layout when the inner layout produces empty result. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the layout to be rendered when original layout produced empty result. - - - - - - Only outputs the inner layout when the specified condition has been met. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the condition that must be met for the inner layout to be printed. - - - - - - Converts the result of another layout output to be XML-compliant. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to apply XML encoding. - - - - - - A column in the CSV. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The name of the column. - The layout of the column. - - - - Gets or sets the name of the column. - - - - - - Gets or sets the layout of the column. - - - - - - Specifies allowed column delimiters. - - - - - Automatically detect from regional settings. - - - - - Comma (ASCII 44). - - - - - Semicolon (ASCII 59). - - - - - Tab character (ASCII 9). - - - - - Pipe character (ASCII 124). - - - - - Space character (ASCII 32). - - - - - Custom string, specified by the CustomDelimiter. - - - - - A specialized layout that renders CSV-formatted events. - - - - - A specialized layout that supports header and footer. - - - - - Abstract interface that layouts must implement. - - - - - Converts a given text to a . - - Text to be converted. - object represented by the text. - - - - Implicitly converts the specified string to a . - - The layout string. - Instance of . - - - - Implicitly converts the specified string to a . - - The layout string. - The NLog factories to use when resolving layout renderers. - Instance of . - - - - Precalculates the layout for the specified log event and stores the result - in per-log event cache. - - The log event. - - Calling this method enables you to store the log event in a buffer - and/or potentially evaluate it in another thread even though the - layout may contain thread-dependent renderer. - - - - - Renders the event info in layout. - - The event info. - String representing log event. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes the layout. - - - - - Closes the layout. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets a value indicating whether this layout is thread-agnostic (can be rendered on any thread). - - - Layout is thread-agnostic if it has been marked with [ThreadAgnostic] attribute and all its children are - like that as well. - Thread-agnostic layouts only use contents of for its output. - - - - - Gets the logging configuration this target is part of. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets or sets the body layout (can be repeated multiple times). - - - - - - Gets or sets the header layout. - - - - - - Gets or sets the footer layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the array of parameters to be passed. - - - - - - Gets or sets a value indicating whether CVS should include header. - - A value of true if CVS should include header; otherwise, false. - - - - - Gets or sets the column delimiter. - - - - - - Gets or sets the quoting mode. - - - - - - Gets or sets the quote Character. - - - - - - Gets or sets the custom column delimiter value (valid when ColumnDelimiter is set to 'Custom'). - - - - - - Header for CSV layout. - - - - - Initializes a new instance of the class. - - The parent. - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Specifies allowes CSV quoting modes. - - - - - Quote all column. - - - - - Quote nothing. - - - - - Quote only whose values contain the quote symbol or - the separator. - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Layout name. - - - - Parses layout strings. - - - - - A specialized layout that renders Log4j-compatible XML events. - - - This layout is not meant to be used explicitly. Instead you can use ${log4jxmlevent} layout renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets the instance that renders log events. - - - - - Represents a string with embedded placeholders that can render contextual information. - - - This layout is not meant to be used explicitly. Instead you can just use a string containing layout - renderers everywhere the layout is required. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout string to parse. - - - - Initializes a new instance of the class. - - The layout string to parse. - The NLog factories to use when creating references to layout renderers. - - - - Converts a text to a simple layout. - - Text to be converted. - A object. - - - - Escapes the passed text so that it can - be used literally in all places where - layout is normally expected without being - treated as layout. - - The text to be escaped. - The escaped text. - - Escaping is done by replacing all occurences of - '${' with '${literal:text=${}' - - - - - Evaluates the specified text by expadinging all layout renderers. - - The text to be evaluated. - Log event to be used for evaluation. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Evaluates the specified text by expadinging all layout renderers - in new context. - - The text to be evaluated. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Returns a that represents the current object. - - - A that represents the current object. - - - - - Renders the layout for the specified logging event by invoking layout renderers - that make up the event. - - The logging event. - The rendered layout. - - - - Gets or sets the layout text. - - - - - - Gets a collection of objects that make up this layout. - - - - - Represents the logging event. - - - - - Gets the date of the first log event created. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Log level. - Logger name. - Log message including parameter placeholders. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - Exception information. - - - - Creates the null event. - - Null log event. - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - The parameters. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - The exception. - Instance of . - - - - Creates from this by attaching the specified asynchronous continuation. - - The asynchronous continuation. - Instance of with attached continuation. - - - - Returns a string representation of this log event. - - String representation of the log event. - - - - Sets the stack trace for the event info. - - The stack trace. - Index of the first user stack frame within the stack trace. - - - - Gets the unique identifier of log event which is automatically generated - and monotonously increasing. - - - - - Gets or sets the timestamp of the logging event. - - - - - Gets or sets the level of the logging event. - - - - - Gets a value indicating whether stack trace has been set for this event. - - - - - Gets the stack frame of the method that did the logging. - - - - - Gets the number index of the stack frame that represents the user - code (not the NLog code). - - - - - Gets the entire stack trace. - - - - - Gets or sets the exception information. - - - - - Gets or sets the logger name. - - - - - Gets the logger short name. - - - - - Gets or sets the log message including any parameter placeholders. - - - - - Gets or sets the parameter values or null if no parameters have been specified. - - - - - Gets or sets the format provider that was provided while logging or - when no formatProvider was specified. - - - - - Gets the formatted message. - - - - - Gets the dictionary of per-event context properties. - - - - - Gets the dictionary of per-event context properties. - - - - - Creates and manages instances of objects. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The config. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates a logger that discards all log messages. - - Null logger instance. - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The type of the logger to create. The type must inherit from NLog.Logger. - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The type of the logger to create. The type must inherit from NLog.Logger. - The logger reference. Multiple calls to GetLogger with the - same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Occurs when logging changes. - - - - - Occurs when logging gets reloaded. - - - - - Gets the current . - - - - - Gets or sets a value indicating whether exceptions should be thrown. - - A value of true if exceptiosn should be thrown; otherwise, false. - By default exceptions - are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Logger cache key. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Determines if two objects are equal in value. - - Other object to compare to. - True if objects are equal, false otherwise. - - - - Enables logging in implementation. - - - - - Initializes a new instance of the class. - - The factory. - - - - Enables logging. - - - - - Specialized LogFactory that can return instances of custom logger types. - - The type of the logger to be returned. Must inherit from . - - - - Gets the logger. - - The logger name. - An instance of . - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Provides logging interface and utility functions. - - - Auto-generated Logger members for binary compatibility with NLog 1.0. - - - - - Initializes a new instance of the class. - - - - - Gets a value indicating whether logging is enabled for the specified level. - - Log level to be checked. - A value of if logging is enabled for the specified level, otherwise it returns . - - - - Writes the specified diagnostic message. - - Log event. - - - - Writes the specified diagnostic message. - - The name of the type that wraps Logger. - Log event. - - - - Writes the diagnostic message at the specified level using the specified format provider and format parameters. - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the specified level. - - The log level. - Log message. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameter. - - The type of the argument. - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Trace level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Trace level. - - Log message. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Debug level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Debug level. - - Log message. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Info level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Info level. - - Log message. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Warn level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Warn level. - - Log message. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Error level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Error level. - - Log message. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Fatal level. - - Log message. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Runs action. If the action throws, the exception is logged at Error level. Exception is not propagated outside of this method. - - Action to execute. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Result returned by the provided function or fallback value in case of exception. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Fallback value to return in case of exception. Defaults to default value of type T. - Result returned by the provided function or fallback value in case of exception. - - - - Writes the diagnostic message at the specified level. - - The log level. - A to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level. - - A to be written. - - - - Writes the diagnostic message at the Trace level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level. - - A to be written. - - - - Writes the diagnostic message at the Debug level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level. - - A to be written. - - - - Writes the diagnostic message at the Info level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level. - - A to be written. - - - - Writes the diagnostic message at the Warn level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level. - - A to be written. - - - - Writes the diagnostic message at the Error level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level. - - A to be written. - - - - Writes the diagnostic message at the Fatal level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Occurs when logger configuration changes. - - - - - Gets the name of the logger. - - - - - Gets the factory that created this logger. - - - - - Gets a value indicating whether logging is enabled for the Trace level. - - A value of if logging is enabled for the Trace level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Debug level. - - A value of if logging is enabled for the Debug level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Info level. - - A value of if logging is enabled for the Info level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Warn level. - - A value of if logging is enabled for the Warn level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Error level. - - A value of if logging is enabled for the Error level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Fatal level. - - A value of if logging is enabled for the Fatal level, otherwise it returns . - - - - Implementation of logging engine. - - - - - Gets the filter result. - - The filter chain. - The log event. - The result of the filter. - - - - Defines available log levels. - - - - - Trace log level. - - - - - Debug log level. - - - - - Info log level. - - - - - Warn log level. - - - - - Error log level. - - - - - Fatal log level. - - - - - Off log level. - - - - - Initializes a new instance of . - - The log level name. - The log level ordinal number. - - - - Compares two objects - and returns a value indicating whether - the first one is equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal == level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is not equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal != level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than the second one. - - The first level. - The second level. - The value of level1.Ordinal > level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal >= level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than the second one. - - The first level. - The second level. - The value of level1.Ordinal < level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal <= level2.Ordinal. - - - - Gets the that corresponds to the specified ordinal. - - The ordinal. - The instance. For 0 it returns , 1 gives and so on. - - - - Returns the that corresponds to the supplied . - - The texual representation of the log level. - The enumeration value. - - - - Returns a string representation of the log level. - - Log level name. - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - Value of true if the specified is equal to this instance; otherwise, false. - - - The parameter is null. - - - - - Compares the level to the other object. - - - The object object. - - - A value less than zero when this logger's is - less than the other logger's ordinal, 0 when they are equal and - greater than zero when this ordinal is greater than the - other ordinal. - - - - - Gets the name of the log level. - - - - - Gets the ordinal of the log level. - - - - - Creates and manages instances of objects. - - - - - Initializes static members of the LogManager class. - - - - - Prevents a default instance of the LogManager class from being created. - - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The logger class. The class must inherit from . - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Creates a logger that discards all log messages. - - Null logger which discards all log messages. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The logger class. The class must inherit from . - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger. - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Dispose all targets, and shutdown logging. - - - - - Occurs when logging changes. - - - - - Occurs when logging gets reloaded. - - - - - Gets or sets a value indicating whether NLog should throw exceptions. - By default exceptions are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Gets or sets the default culture to use. - - - - - Delegate used to the the culture to use. - - - - - - Returns a log message. Used to defer calculation of - the log message until it's actually needed. - - Log message. - - - - Service contract for Log Receiver client. - - - - - Begins processing of log messages. - - The events. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Service contract for Log Receiver server. - - - - - Processes the log messages. - - The events. - - - - Implementation of which forwards received logs through or a given . - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log factory. - - - - Processes the log messages. - - The events to process. - - - - Processes the log messages. - - The log events. - - - - Internal configuration of Log Receiver Service contracts. - - - - - Wire format for NLog Event. - - - - - Initializes a new instance of the class. - - - - - Converts the to . - - The object this is part of.. - The logger name prefix to prepend in front of the logger name. - Converted . - - - - Gets or sets the client-generated identifier of the event. - - - - - Gets or sets the ordinal of the log level. - - - - - Gets or sets the logger ordinal (index into . - - The logger ordinal. - - - - Gets or sets the time delta (in ticks) between the time of the event and base time. - - - - - Gets or sets the message string index. - - - - - Gets or sets the collection of layout values. - - - - - Gets the collection of indexes into array for each layout value. - - - - - Wire format for NLog event package. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - The logger name prefix to prepend in front of each logger name. - - Sequence of objects. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - - Sequence of objects. - - - - - Gets or sets the name of the client. - - The name of the client. - - - - Gets or sets the base time (UTC ticks) for all events in the package. - - The base time UTC. - - - - Gets or sets the collection of layout names which are shared among all events. - - The layout names. - - - - Gets or sets the collection of logger names. - - The logger names. - - - - Gets or sets the list of events. - - The events. - - - - List of strings annotated for more terse serialization. - - - - - Initializes a new instance of the class. - - - - - Log Receiver Client using WCF. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - The binding. - The remote address. - - - - Opens the client asynchronously. - - - - - Opens the client asynchronously. - - User-specific state. - - - - Closes the client asynchronously. - - - - - Closes the client asynchronously. - - User-specific state. - - - - Processes the log messages asynchronously. - - The events to send. - - - - Processes the log messages asynchronously. - - The events to send. - User-specific state. - - - - Begins processing of log messages. - - The events to send. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Occurs when the log message processing has completed. - - - - - Occurs when Open operation has completed. - - - - - Occurs when Close operation has completed. - - - - - Mapped Diagnostics Context - a thread-local structure that keeps a dictionary - of strings and provides methods to output them in layouts. - Mostly for compatibility with log4net. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Mapped Diagnostics Context - used for log4net compatibility. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Nested Diagnostics Context - for log4net compatibility. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Nested Diagnostics Context - a thread-local structure that keeps a stack - of strings and provides methods to output them in layouts - Mostly for compatibility with log4net. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Resets the stack to the original count during . - - - - - Initializes a new instance of the class. - - The stack. - The previous count. - - - - Reverts the stack to original item count. - - - - - Exception thrown during NLog configuration. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Exception thrown during log event processing. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - TraceListener which routes all messages through NLog. - - - - - Initializes a new instance of the class. - - - - - When overridden in a derived class, writes the specified message to the listener you create in the derived class. - - A message to write. - - - - When overridden in a derived class, writes a message to the listener you create in the derived class, followed by a line terminator. - - A message to write. - - - - When overridden in a derived class, closes the output stream so it no longer receives tracing or debugging output. - - - - - Emits an error message. - - A message to emit. - - - - Emits an error message and a detailed error message. - - A message to emit. - A detailed message to emit. - - - - Flushes the output buffer. - - - - - Writes trace information, a data object and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - The trace data to emit. - - - - Writes trace information, an array of data objects and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - An array of objects to emit as data. - - - - Writes trace and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - - - - Writes trace information, a formatted array of objects and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - A format string that contains zero or more format items, which correspond to objects in the array. - An object array containing zero or more objects to format. - - - - Writes trace information, a message, and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - A message to write. - - - - Writes trace information, a message, a related activity identity and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - A numeric identifier for the event. - A message to write. - A object identifying a related activity. - - - - Gets the custom attributes supported by the trace listener. - - - A string array naming the custom attributes supported by the trace listener, or null if there are no custom attributes. - - - - - Translates the event type to level from . - - Type of the event. - Translated log level. - - - - Process the log event - The log level. - The name of the logger. - The log message. - The log parameters. - The event id. - The event type. - The releated activity id. - - - - - Gets or sets the log factory to use when outputting messages (null - use LogManager). - - - - - Gets or sets the default log level. - - - - - Gets or sets the log which should be always used regardless of source level. - - - - - Gets or sets a value indicating whether flush calls from trace sources should be ignored. - - - - - Gets a value indicating whether the trace listener is thread safe. - - - true if the trace listener is thread safe; otherwise, false. The default is false. - - - - Gets or sets a value indicating whether to use auto logger name detected from the stack trace. - - - - - Specifies the way archive numbering is performed. - - - - - Sequence style numbering. The most recent archive has the highest number. - - - - - Rolling style numbering (the most recent is always #0 then #1, ..., #N. - - - - - Date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. - - - - - Outputs log messages through the ASP Response object. - - Documentation on NLog Wiki - - - - Represents target that supports string formatting using layouts. - - - - - Represents logging target. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Closes the target. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Calls the on each volatile layout - used by this target. - - - The log event. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Writes the log to the target. - - Log event to write. - - - - Writes the array of log events. - - The log events. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. - classes. - - - Logging event to be written out. - - - - - Writes log event to the log target. Must be overridden in inheriting - classes. - - Log event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Merges (copies) the event context properties from any event info object stored in - parameters of the given event info object. - - The event info object to perform the merge to. - - - - Gets or sets the name of the target. - - - - - - Gets the object which can be used to synchronize asynchronous operations that must rely on the . - - - - - Gets the logging configuration this target is part of. - - - - - Gets a value indicating whether the target has been initialized. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the layout used to format log messages. - - - - - - Outputs the rendered logging event through the OutputDebugString() Win32 API. - - The logging event. - - - - Gets or sets a value indicating whether to add <!-- --> comments around all written texts. - - - - - - Sends log messages to the remote instance of Chainsaw application from log4j. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages to the remote instance of NLog Viewer. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages over the network. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- To print the results, use any application that's able to receive messages over - TCP or UDP. NetCat is - a simple but very powerful command-line tool that can be used for that. This image - demonstrates the NetCat tool receiving log messages from Network target. -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will be very slow. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-

- There are two specialized versions of the Network target: Chainsaw - and NLogViewer which write to instances of Chainsaw log4j viewer - or NLogViewer application respectively. -

-
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Closes the target. - - - - - Sends the - rendered logging event over the network optionally concatenating it with a newline character. - - The logging event. - - - - Gets the bytes to be written. - - Log event. - Byte array. - - - - Gets or sets the network address. - - - The network address can be: -
    -
  • tcp://host:port - TCP (auto select IPv4/IPv6) (not supported on Windows Phone 7.0)
  • -
  • tcp4://host:port - force TCP/IPv4 (not supported on Windows Phone 7.0)
  • -
  • tcp6://host:port - force TCP/IPv6 (not supported on Windows Phone 7.0)
  • -
  • udp://host:port - UDP (auto select IPv4/IPv6, not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp4://host:port - force UDP/IPv4 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp6://host:port - force UDP/IPv6 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • http://host:port/pageName - HTTP using POST verb
  • -
  • https://host:port/pageName - HTTPS using POST verb
  • -
- For SOAP-based webservice support over HTTP use WebService target. -
- -
- - - Gets or sets a value indicating whether to keep connection open whenever possible. - - - - - - Gets or sets a value indicating whether to append newline at the end of log message. - - - - - - Gets or sets the maximum message size in bytes. - - - - - - Gets or sets the size of the connection cache (number of connections which are kept alive). - - - - - - Gets or sets the maximum queue size. - - - - - Gets or sets the action that should be taken if the message is larger than - maxMessageSize. - - - - - - Gets or sets the encoding to be used. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include dictionary contents. - - - - - - Gets or sets a value indicating whether to include stack contents. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a named parameter. - - - - - - Gets the layout renderer which produces Log4j-compatible XML events. - - - - - Gets or sets the instance of that is used to format log messages. - - - - - - Initializes a new instance of the class. - - - - - Writes log messages to the console with customizable coloring. - - Documentation on NLog Wiki - - - - Represents target that supports string formatting using layouts. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the text to be rendered. - - - - - - Gets or sets the footer. - - - - - - Gets or sets the header. - - - - - - Gets or sets the layout with header and footer. - - The layout with header and footer. - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified log event to the console highlighting entries - and words based on a set of defined rules. - - Log event. - - - - Gets or sets a value indicating whether the error stream (stderr) should be used instead of the output stream (stdout). - - - - - - Gets or sets a value indicating whether to use default row highlighting rules. - - - The default rules are: - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
ConditionForeground ColorBackground Color
level == LogLevel.FatalRedNoChange
level == LogLevel.ErrorYellowNoChange
level == LogLevel.WarnMagentaNoChange
level == LogLevel.InfoWhiteNoChange
level == LogLevel.DebugGrayNoChange
level == LogLevel.TraceDarkGrayNoChange
-
- -
- - - Gets the row highlighting rules. - - - - - - Gets the word highlighting rules. - - - - - - Color pair (foreground and background). - - - - - Colored console output color. - - - Note that this enumeration is defined to be binary compatible with - .NET 2.0 System.ConsoleColor + some additions - - - - - Black Color (#000000). - - - - - Dark blue Color (#000080). - - - - - Dark green Color (#008000). - - - - - Dark Cyan Color (#008080). - - - - - Dark Red Color (#800000). - - - - - Dark Magenta Color (#800080). - - - - - Dark Yellow Color (#808000). - - - - - Gray Color (#C0C0C0). - - - - - Dark Gray Color (#808080). - - - - - Blue Color (#0000FF). - - - - - Green Color (#00FF00). - - - - - Cyan Color (#00FFFF). - - - - - Red Color (#FF0000). - - - - - Magenta Color (#FF00FF). - - - - - Yellow Color (#FFFF00). - - - - - White Color (#FFFFFF). - - - - - Don't change the color. - - - - - The row-highlighting condition. - - - - - Initializes static members of the ConsoleRowHighlightingRule class. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The condition. - Color of the foreground. - Color of the background. - - - - Checks whether the specified log event matches the condition (if any). - - - Log event. - - - A value of if the condition is not defined or - if it matches, otherwise. - - - - - Gets the default highlighting rule. Doesn't change the color. - - - - - Gets or sets the condition that must be met in order to set the specified foreground and background color. - - - - - - Gets or sets the foreground color. - - - - - - Gets or sets the background color. - - - - - - Writes log messages to the console. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the Console.Out or - Console.Error depending on the value of the Error flag. - - The logging event. - - Note that the Error option is not supported on .NET Compact Framework. - - - - - Gets or sets a value indicating whether to send the log messages to the standard error instead of the standard output. - - - - - - Highlighting rule for Win32 colorful console. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the foreground. - Color of the background. - - - - Gets or sets the regular expression to be matched. You must specify either text or regex. - - - - - - Gets or sets the text to be matched. You must specify either text or regex. - - - - - - Gets or sets a value indicating whether to match whole words only. - - - - - - Gets or sets a value indicating whether to ignore case when comparing texts. - - - - - - Gets the compiled regular expression that matches either Text or Regex property. - - - - - Gets or sets the foreground color. - - - - - - Gets or sets the background color. - - - - - - Information about database command + parameters. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the type of the command. - - The type of the command. - - - - - Gets or sets the connection string to run the command against. If not provided, connection string from the target is used. - - - - - - Gets or sets the command text. - - - - - - Gets or sets a value indicating whether to ignore failures. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a database named or positional parameter. - - - - - - Represents a parameter to a Database target. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the parameter. - The parameter layout. - - - - Gets or sets the database parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Gets or sets the database parameter size. - - - - - - Gets or sets the database parameter precision. - - - - - - Gets or sets the database parameter scale. - - - - - - Writes log messages to the database using an ADO.NET provider. - - Documentation on NLog Wiki - - - The configuration is dependent on the database type, because - there are differnet methods of specifying connection string, SQL - command and command parameters. - - MS SQL Server using System.Data.SqlClient: - - Oracle using System.Data.OracleClient: - - Oracle using System.Data.OleDBClient: - - To set up the log target programmatically use code like this (an equivalent of MSSQL configuration): - - - - - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the database. It creates - a new database command, prepares parameters for it by calculating - layouts and executes the command. - - The logging event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Gets or sets the name of the database provider. - - - - The parameter name should be a provider invariant name as registered in machine.config or app.config. Common values are: - -
    -
  • System.Data.SqlClient - SQL Sever Client
  • -
  • System.Data.SqlServerCe.3.5 - SQL Sever Compact 3.5
  • -
  • System.Data.OracleClient - Oracle Client from Microsoft (deprecated in .NET Framework 4)
  • -
  • Oracle.DataAccess.Client - ODP.NET provider from Oracle
  • -
  • System.Data.SQLite - System.Data.SQLite driver for SQLite
  • -
  • Npgsql - Npgsql driver for PostgreSQL
  • -
  • MySql.Data.MySqlClient - MySQL Connector/Net
  • -
- (Note that provider invariant names are not supported on .NET Compact Framework). - - Alternatively the parameter value can be be a fully qualified name of the provider - connection type (class implementing ) or one of the following tokens: - -
    -
  • sqlserver, mssql, microsoft or msde - SQL Server Data Provider
  • -
  • oledb - OLEDB Data Provider
  • -
  • odbc - ODBC Data Provider
  • -
-
- -
- - - Gets or sets the name of the connection string (as specified in <connectionStrings> configuration section. - - - - - - Gets or sets the connection string. When provided, it overrides the values - specified in DBHost, DBUserName, DBPassword, DBDatabase. - - - - - - Gets or sets the connection string using for installation and uninstallation. If not provided, regular ConnectionString is being used. - - - - - - Gets the installation DDL commands. - - - - - - Gets the uninstallation DDL commands. - - - - - - Gets or sets a value indicating whether to keep the - database connection open between the log events. - - - - - - Gets or sets a value indicating whether to use database transactions. - Some data providers require this. - - - - - - Gets or sets the database host name. If the ConnectionString is not provided - this value will be used to construct the "Server=" part of the - connection string. - - - - - - Gets or sets the database user name. If the ConnectionString is not provided - this value will be used to construct the "User ID=" part of the - connection string. - - - - - - Gets or sets the database password. If the ConnectionString is not provided - this value will be used to construct the "Password=" part of the - connection string. - - - - - - Gets or sets the database name. If the ConnectionString is not provided - this value will be used to construct the "Database=" part of the - connection string. - - - - - - Gets or sets the text of the SQL command to be run on each log level. - - - Typically this is a SQL INSERT statement or a stored procedure call. - It should use the database-specific parameters (marked as @parameter - for SQL server or :parameter for Oracle, other data providers - have their own notation) and not the layout renderers, - because the latter is prone to SQL injection attacks. - The layout renderers should be specified as <parameter /> elements instead. - - - - - - Gets or sets the type of the SQL command to be run on each log level. - - - This specifies how the command text is interpreted, as "Text" (default) or as "StoredProcedure". - When using the value StoredProcedure, the commandText-property would - normally be the name of the stored procedure. TableDirect method is not supported in this context. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a database named or positional parameter. - - - - - - Writes log messages to the attached managed debugger. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the attached debugger. - - The logging event. - - - - Mock target - useful for testing. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Increases the number of messages. - - The logging event. - - - - Gets the number of times this target has been called. - - - - - - Gets the last message rendered by this target. - - - - - - Writes log message to the Event Log. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Initializes the target. - - - - - Writes the specified logging event to the event log. - - The logging event. - - - - Gets or sets the name of the machine on which Event Log service is running. - - - - - - Gets or sets the layout that renders event ID. - - - - - - Gets or sets the layout that renders event Category. - - - - - - Gets or sets the value to be used as the event Source. - - - By default this is the friendly name of the current AppDomain. - - - - - - Gets or sets the name of the Event Log to write to. This can be System, Application or - any user-defined name. - - - - - - Modes of archiving files based on time. - - - - - Don't archive based on time. - - - - - Archive every year. - - - - - Archive every month. - - - - - Archive daily. - - - - - Archive every hour. - - - - - Archive every minute. - - - - - Writes log messages to one or more files. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Removes records of initialized files that have not been - accessed in the last two days. - - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Removes records of initialized files that have not been - accessed after the specified date. - - The cleanup threshold. - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Flushes all pending file operations. - - The asynchronous continuation. - - The timeout parameter is ignored, because file APIs don't provide - the needed functionality. - - - - - Initializes file logging by creating data structures that - enable efficient multi-file logging. - - - - - Closes the file(s) opened for writing. - - - - - Writes the specified logging event to a file specified in the FileName - parameter. - - The logging event. - - - - Writes the specified array of logging events to a file specified in the FileName - parameter. - - An array of objects. - - This function makes use of the fact that the events are batched by sorting - the requests by filename. This optimizes the number of open/close calls - and can help improve performance. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the bytes to be written to the file. - - Log event. - Array of bytes that are ready to be written. - - - - Modifies the specified byte array before it gets sent to a file. - - The byte array. - The modified byte array. The function can do the modification in-place. - - - - Gets or sets the name of the file to write to. - - - This FileName string is a layout which may include instances of layout renderers. - This lets you use a single target to write to multiple files. - - - The following value makes NLog write logging events to files based on the log level in the directory where - the application runs. - ${basedir}/${level}.log - All Debug messages will go to Debug.log, all Info messages will go to Info.log and so on. - You can combine as many of the layout renderers as you want to produce an arbitrary log file name. - - - - - - Gets or sets a value indicating whether to create directories if they don't exist. - - - Setting this to false may improve performance a bit, but you'll receive an error - when attempting to write to a directory that's not present. - - - - - - Gets or sets a value indicating whether to delete old log file on startup. - - - This option works only when the "FileName" parameter denotes a single file. - - - - - - Gets or sets a value indicating whether to replace file contents on each write instead of appending log message at the end. - - - - - - Gets or sets a value indicating whether to keep log file open instead of opening and closing it on each logging event. - - - Setting this property to True helps improve performance. - - - - - - Gets or sets a value indicating whether to enable log file(s) to be deleted. - - - - - - Gets or sets a value specifying the date format to use when archving files. - - - This option works only when the "ArchiveNumbering" parameter is set to Date. - - - - - - Gets or sets the file attributes (Windows only). - - - - - - Gets or sets the line ending mode. - - - - - - Gets or sets a value indicating whether to automatically flush the file buffers after each log message. - - - - - - Gets or sets the number of files to be kept open. Setting this to a higher value may improve performance - in a situation where a single File target is writing to many files - (such as splitting by level or by logger). - - - The files are managed on a LRU (least recently used) basis, which flushes - the files that have not been used for the longest period of time should the - cache become full. As a rule of thumb, you shouldn't set this parameter to - a very high value. A number like 10-15 shouldn't be exceeded, because you'd - be keeping a large number of files open which consumes system resources. - - - - - - Gets or sets the maximum number of seconds that files are kept open. If this number is negative the files are - not automatically closed after a period of inactivity. - - - - - - Gets or sets the log file buffer size in bytes. - - - - - - Gets or sets the file encoding. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. - - - This makes multi-process logging possible. NLog uses a special technique - that lets it keep the files open for writing. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on different network hosts. - - - This effectively prevents files from being kept open. - - - - - - Gets or sets the number of times the write is appended on the file before NLog - discards the log message. - - - - - - Gets or sets the delay in milliseconds to wait before attempting to write to the file again. - - - The actual delay is a random value between 0 and the value specified - in this parameter. On each failed attempt the delay base is doubled - up to times. - - - Assuming that ConcurrentWriteAttemptDelay is 10 the time to wait will be:

- a random value between 0 and 10 milliseconds - 1st attempt
- a random value between 0 and 20 milliseconds - 2nd attempt
- a random value between 0 and 40 milliseconds - 3rd attempt
- a random value between 0 and 80 milliseconds - 4th attempt
- ...

- and so on. - - - - -

- Gets or sets the size in bytes above which log files will be automatically archived. - - - Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. - - -
- - - Gets or sets a value indicating whether to automatically archive log files every time the specified time passes. - - - Files are moved to the archive as part of the write operation if the current period of time changes. For example - if the current hour changes from 10 to 11, the first write that will occur - on or after 11:00 will trigger the archiving. -

- Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. -

-
- -
- - - Gets or sets the name of the file to be used for an archive. - - - It may contain a special placeholder {#####} - that will be replaced with a sequence of numbers depending on - the archiving strategy. The number of hash characters used determines - the number of numerical digits to be used for numbering files. - - - - - - Gets or sets the maximum number of archive files that should be kept. - - - - - - Gets ors set a value indicating whether a managed file stream is forced, instead of used the native implementation. - - - - - Gets or sets the way file archives are numbered. - - - - - - Gets the characters that are appended after each line. - - - - true if the file has been moved successfully - - - - Logs text to Windows.Forms.Control.Text property control of specified Name. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The result is: -

- -

- To set up the log target programmatically similar to above use code like this: -

- , -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Log message to control. - - - The logging event. - - - - - Gets or sets the name of control to which NLog will log write log text. - - - - - - Gets or sets a value indicating whether log text should be appended to the text of the control instead of overwriting it. - - - - - Gets or sets the name of the Form on which the control is located. - - - - - - Gets or sets whether new log entry are added to the start or the end of the control - - - - - Line ending mode. - - - - - Insert platform-dependent end-of-line sequence after each line. - - - - - Insert CR LF sequence (ASCII 13, ASCII 10) after each line. - - - - - Insert CR character (ASCII 13) after each line. - - - - - Insert LF character (ASCII 10) after each line. - - - - - Don't insert any line ending. - - - - - Sends log messages to a NLog Receiver Service (using WCF or Web Services). - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Called when log events are being sent (test hook). - - The events. - The async continuations. - True if events should be sent, false to stop processing them. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Append" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Creating a new instance of WcfLogReceiverClient - - Inheritors can override this method and provide their own - service configuration - binding and endpoint address - - - - - - Gets or sets the endpoint address. - - The endpoint address. - - - - - Gets or sets the name of the endpoint configuration in WCF configuration file. - - The name of the endpoint configuration. - - - - - Gets or sets a value indicating whether to use binary message encoding. - - - - - - Gets or sets the client ID. - - The client ID. - - - - - Gets the list of parameters. - - The parameters. - - - - - Gets or sets a value indicating whether to include per-event properties in the payload sent to the server. - - - - - - Sends log messages by email using SMTP protocol. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- Mail target works best when used with BufferingWrapper target - which lets you send multiple log messages in single mail -

-

- To set up the buffered mail target in the configuration file, - use the following syntax: -

- -

- To set up the buffered mail target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Renders an array logging events. - - Array of logging events. - - - - Gets or sets sender's email address (e.g. joe@domain.com). - - - - - - Gets or sets recipients' email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets CC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets BCC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets a value indicating whether to add new lines between log entries. - - A value of true if new lines should be added; otherwise, false. - - - - - Gets or sets the mail subject. - - - - - - Gets or sets mail message body (repeated for each log message send in one mail). - - Alias for the Layout property. - - - - - Gets or sets encoding to be used for sending e-mail. - - - - - - Gets or sets a value indicating whether to send message as HTML instead of plain text. - - - - - - Gets or sets SMTP Server to be used for sending. - - - - - - Gets or sets SMTP Authentication mode. - - - - - - Gets or sets the username used to connect to SMTP server (used when SmtpAuthentication is set to "basic"). - - - - - - Gets or sets the password used to authenticate against SMTP server (used when SmtpAuthentication is set to "basic"). - - - - - - Gets or sets a value indicating whether SSL (secure sockets layer) should be used when communicating with SMTP server. - - - - - - Gets or sets the port number that SMTP Server is listening on. - - - - - - Gets or sets a value indicating whether the default Settings from System.Net.MailSettings should be used. - - - - - - Gets or sets the priority used for sending mails. - - - - - Gets or sets a value indicating whether NewLine characters in the body should be replaced with
tags. -
- Only happens when is set to true. -
- - - Gets or sets a value indicating the SMTP client timeout. - - - - - Writes log messages to an ArrayList in memory for programmatic retrieval. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Gets the list of logs gathered in the . - - - - - Pops up log messages as message boxes. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- The result is a message box: -

- -

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Displays the message box with the log message and caption specified in the Caption - parameter. - - The logging event. - - - - Displays the message box with the array of rendered logs messages and caption specified in the Caption - parameter. - - The array of logging events. - - - - Gets or sets the message box title. - - - - - - A parameter to MethodCall. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout to use for parameter value. - - - - Initializes a new instance of the class. - - Name of the parameter. - The layout. - - - - Initializes a new instance of the class. - - The name of the parameter. - The layout. - The type of the parameter. - - - - Gets or sets the name of the parameter. - - - - - - Gets or sets the type of the parameter. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Calls the specified static method on each log message and passes contextual parameters to it. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - The base class for all targets which call methods (local or remote). - Manages parameters and type coercion. - - - - - Initializes a new instance of the class. - - - - - Prepares an array of parameters to be passed based on the logging event and calls DoInvoke(). - - - The logging event. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - The continuation. - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Gets the array of parameters to be passed. - - - - - - Initializes the target. - - - - - Calls the specified Method. - - Method parameters. - - - - Gets or sets the class name. - - - - - - Gets or sets the method name. The method must be public and static. - - - - - - Action that should be taken if the message overflows. - - - - - Report an error. - - - - - Split the message into smaller pieces. - - - - - Discard the entire message. - - - - - Represents a parameter to a NLogViewer target. - - - - - Initializes a new instance of the class. - - - - - Gets or sets viewer parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Discards log messages. Used mainly for debugging and benchmarking. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Does nothing. Optionally it calculates the layout text but - discards the results. - - The logging event. - - - - Gets or sets a value indicating whether to perform layout calculation. - - - - - - Outputs log messages through the OutputDebugString() Win32 API. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Outputs the rendered logging event through the OutputDebugString() Win32 API. - - The logging event. - - - - Increments specified performance counter on each write. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
- - TODO: - 1. Unable to create a category allowing multiple counter instances (.Net 2.0 API only, probably) - 2. Is there any way of adding new counters without deleting the whole category? - 3. There should be some mechanism of resetting the counter (e.g every day starts from 0), or auto-switching to - another counter instance (with dynamic creation of new instance). This could be done with layouts. - -
- - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Increments the configured performance counter. - - Log event. - - - - Closes the target and releases any unmanaged resources. - - - - - Ensures that the performance counter has been initialized. - - True if the performance counter is operational, false otherwise. - - - - Gets or sets a value indicating whether performance counter should be automatically created. - - - - - - Gets or sets the name of the performance counter category. - - - - - - Gets or sets the name of the performance counter. - - - - - - Gets or sets the performance counter instance name. - - - - - - Gets or sets the counter help text. - - - - - - Gets or sets the performance counter type. - - - - - - The row-coloring condition. - - - - - Initializes static members of the RichTextBoxRowColoringRule class. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The condition. - Color of the foregroung text. - Color of the background text. - The font style. - - - - Initializes a new instance of the class. - - The condition. - Color of the text. - Color of the background. - - - - Checks whether the specified log event matches the condition (if any). - - - Log event. - - - A value of if the condition is not defined or - if it matches, otherwise. - - - - - Gets the default highlighting rule. Doesn't change the color. - - - - - - Gets or sets the condition that must be met in order to set the specified font color. - - - - - - Gets or sets the font color. - - - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - Gets or sets the background color. - - - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - Gets or sets the font style of matched text. - - - Possible values are the same as in FontStyle enum in System.Drawing - - - - - - Log text a Rich Text Box control in an existing or new form. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The result is: -

- To set up the target with coloring rules in the configuration file, - use the following syntax: -

- - - -

- The result is: -

- To set up the log target programmatically similar to above use code like this: -

- - , - - - for RowColoring, - - - for WordColoring -
-
- - - Initializes static members of the RichTextBoxTarget class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Log message to RichTextBox. - - The logging event. - - - - Gets the default set of row coloring rules which applies when is set to true. - - - - - Gets or sets the Name of RichTextBox to which Nlog will write. - - - - - - Gets or sets the name of the Form on which the control is located. - If there is no open form of a specified name than NLog will create a new one. - - - - - - Gets or sets a value indicating whether to use default coloring rules. - - - - - - Gets the row coloring rules. - - - - - - Gets the word highlighting rules. - - - - - - Gets or sets a value indicating whether the created window will be a tool window. - - - This parameter is ignored when logging to existing form control. - Tool windows have thin border, and do not show up in the task bar. - - - - - - Gets or sets a value indicating whether the created form will be initially minimized. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets the initial width of the form with rich text box. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets the initial height of the form with rich text box. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets a value indicating whether scroll bar will be moved automatically to show most recent log entries. - - - - - - Gets or sets the maximum number of lines the rich text box will store (or 0 to disable this feature). - - - After exceeding the maximum number, first line will be deleted. - - - - - - Gets or sets the form to log to. - - - - - Gets or sets the rich text box to log to. - - - - - Highlighting rule for Win32 colorful console. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the text. - Color of the background. - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the text. - Color of the background. - The font style. - - - - Gets or sets the regular expression to be matched. You must specify either text or regex. - - - - - - Gets or sets the text to be matched. You must specify either text or regex. - - - - - - Gets or sets a value indicating whether to match whole words only. - - - - - - Gets or sets a value indicating whether to ignore case when comparing texts. - - - - - - Gets or sets the font style of matched text. - Possible values are the same as in FontStyle enum in System.Drawing. - - - - - - Gets the compiled regular expression that matches either Text or Regex property. - - - - - Gets or sets the font color. - Names are identical with KnownColor enum extended with Empty value which means that font color won't be changed. - - - - - - Gets or sets the background color. - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - SMTP authentication modes. - - - - - No authentication. - - - - - Basic - username and password. - - - - - NTLM Authentication. - - - - - Marks class as a logging target and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the target. - - - - Gets or sets a value indicating whether to the target is a wrapper target (used to generate the target summary documentation page). - - - - - Gets or sets a value indicating whether to the target is a compound target (used to generate the target summary documentation page). - - - - - Sends log messages through System.Diagnostics.Trace. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Writes the specified logging event to the facility. - If the log level is greater than or equal to it uses the - method, otherwise it uses - method. - - The logging event. - - - - Web service protocol. - - - - - Use SOAP 1.1 Protocol. - - - - - Use SOAP 1.2 Protocol. - - - - - Use HTTP POST Protocol. - - - - - Use HTTP GET Protocol. - - - - - Calls the specified web service on each log message. - - Documentation on NLog Wiki - - The web service must implement a method that accepts a number of string parameters. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

The example web service that works with this example is shown below

- -
-
- - - Initializes a new instance of the class. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Invokes the web service method. - - Parameters to be passed. - The continuation. - - - - Gets or sets the web service URL. - - - - - - Gets or sets the Web service method name. - - - - - - Gets or sets the Web service namespace. - - - - - - Gets or sets the protocol to be used when calling web service. - - - - - - Gets or sets the encoding. - - - - - - Win32 file attributes. - - - For more information see http://msdn.microsoft.com/library/default.asp?url=/library/en-us/fileio/fs/createfile.asp. - - - - - Read-only file. - - - - - Hidden file. - - - - - System file. - - - - - File should be archived. - - - - - Device file. - - - - - Normal file. - - - - - File is temporary (should be kept in cache and not - written to disk if possible). - - - - - Sparse file. - - - - - Reparse point. - - - - - Compress file contents. - - - - - File should not be indexed by the content indexing service. - - - - - Encrypted file. - - - - - The system writes through any intermediate cache and goes directly to disk. - - - - - The system opens a file with no system caching. - - - - - Delete file after it is closed. - - - - - A file is accessed according to POSIX rules. - - - - - Asynchronous request queue. - - - - - Initializes a new instance of the AsyncRequestQueue class. - - Request limit. - The overflow action. - - - - Enqueues another item. If the queue is overflown the appropriate - action is taken as specified by . - - The log event info. - - - - Dequeues a maximum of count items from the queue - and adds returns the list containing them. - - Maximum number of items to be dequeued. - The array of log events. - - - - Clears the queue. - - - - - Gets or sets the request limit. - - - - - Gets or sets the action to be taken when there's no more room in - the queue and another request is enqueued. - - - - - Gets the number of requests currently in the queue. - - - - - Provides asynchronous, buffered execution of target writes. - - Documentation on NLog Wiki - -

- Asynchronous target wrapper allows the logger code to execute more quickly, by queueing - messages and processing them in a separate thread. You should wrap targets - that spend a non-trivial amount of time in their Write() method with asynchronous - target to speed up logging. -

-

- Because asynchronous logging is quite a common scenario, NLog supports a - shorthand notation for wrapping all targets with AsyncWrapper. Just add async="true" to - the <targets/> element in the configuration file. -

- - - ... your targets go here ... - - ]]> -
- -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Base class for targets wrap other (single) targets. - - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Gets or sets the target that is wrapped by this target. - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Maximum number of requests in the queue. - The action to be taken when the queue overflows. - - - - Waits for the lazy writer thread to finish writing messages. - - The asynchronous continuation. - - - - Initializes the target by starting the lazy writer timer. - - - - - Shuts down the lazy writer timer. - - - - - Starts the lazy writer thread which periodically writes - queued log messages. - - - - - Starts the lazy writer thread. - - - - - Adds the log event to asynchronous queue to be processed by - the lazy writer thread. - - The log event. - - The is called - to ensure that the log event can be processed in another thread. - - - - - Gets or sets the number of log events that should be processed in a batch - by the lazy writer thread. - - - - - - Gets or sets the time in milliseconds to sleep between batches. - - - - - - Gets or sets the action to be taken when the lazy writer thread request queue count - exceeds the set limit. - - - - - - Gets or sets the limit on the number of requests in the lazy writer thread request queue. - - - - - - Gets the queue of lazy writer thread requests. - - - - - The action to be taken when the queue overflows. - - - - - Grow the queue. - - - - - Discard the overflowing item. - - - - - Block until there's more room in the queue. - - - - - Causes a flush after each write on a wrapped target. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Forwards the call to the .Write() - and calls on it. - - Logging event to be written out. - - - - A target that buffers log events and sends them in batches to the wrapped target. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - The flush timeout. - - - - Flushes pending events in the buffer (if any). - - The asynchronous continuation. - - - - Initializes the target. - - - - - Closes the target by flushing pending events in the buffer (if any). - - - - - Adds the specified log event to the buffer and flushes - the buffer in case the buffer gets full. - - The log event. - - - - Gets or sets the number of log events to be buffered. - - - - - - Gets or sets the timeout (in milliseconds) after which the contents of buffer will be flushed - if there's no write in the specified period of time. Use -1 to disable timed flushes. - - - - - - Gets or sets a value indicating whether to use sliding timeout. - - - This value determines how the inactivity period is determined. If sliding timeout is enabled, - the inactivity timer is reset after each write, if it is disabled - inactivity timer will - count from the first event written to the buffer. - - - - - - A base class for targets which wrap other (multiple) targets - and provide various forms of target routing. - - - - - Initializes a new instance of the class. - - The targets. - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Writes logging event to the log target. - - Logging event to be written out. - - - - Flush any pending log messages for all wrapped targets. - - The asynchronous continuation. - - - - Gets the collection of targets managed by this compound target. - - - - - Provides fallback-on-error. - - Documentation on NLog Wiki - -

This example causes the messages to be written to server1, - and if it fails, messages go to server2.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to the sub-targets until one of them succeeds. - - The log event. - - The method remembers the last-known-successful target - and starts the iteration from it. - If is set, the method - resets the target to the first target - stored in . - - - - - Gets or sets a value indicating whether to return to the first target after any successful write. - - - - - - Filtering rule for . - - - - - Initializes a new instance of the FilteringRule class. - - - - - Initializes a new instance of the FilteringRule class. - - Condition to be tested against all events. - Filter to apply to all log events when the first condition matches any of them. - - - - Gets or sets the condition to be tested. - - - - - - Gets or sets the resulting filter to be applied when the condition matches. - - - - - - Filters log entries based on a condition. - - Documentation on NLog Wiki - -

This example causes the messages not contains the string '1' to be ignored.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The condition. - - - - Checks the condition against the passed log event. - If the condition is met, the log event is forwarded to - the wrapped target. - - Log event. - - - - Gets or sets the condition expression. Log events who meet this condition will be forwarded - to the wrapped target. - - - - - - Impersonates another user for the duration of the write. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes the impersonation context. - - - - - Closes the impersonation context. - - - - - Changes the security context, forwards the call to the .Write() - and switches the context back to original. - - The log event. - - - - Changes the security context, forwards the call to the .Write() - and switches the context back to original. - - Log events. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Gets or sets username to change context to. - - - - - - Gets or sets the user account password. - - - - - - Gets or sets Windows domain name to change context to. - - - - - - Gets or sets the Logon Type. - - - - - - Gets or sets the type of the logon provider. - - - - - - Gets or sets the required impersonation level. - - - - - - Gets or sets a value indicating whether to revert to the credentials of the process instead of impersonating another user. - - - - - - Helper class which reverts the given - to its original value as part of . - - - - - Initializes a new instance of the class. - - The windows impersonation context. - - - - Reverts the impersonation context. - - - - - Logon provider. - - - - - Use the standard logon provider for the system. - - - The default security provider is negotiate, unless you pass NULL for the domain name and the user name - is not in UPN format. In this case, the default provider is NTLM. - NOTE: Windows 2000/NT: The default security provider is NTLM. - - - - - Filters buffered log entries based on a set of conditions that are evaluated on a group of events. - - Documentation on NLog Wiki - - PostFilteringWrapper must be used with some type of buffering target or wrapper, such as - AsyncTargetWrapper, BufferingWrapper or ASPNetBufferingWrapper. - - -

- This example works like this. If there are no Warn,Error or Fatal messages in the buffer - only Info messages are written to the file, but if there are any warnings or errors, - the output includes detailed trace (levels >= Debug). You can plug in a different type - of buffering wrapper (such as ASPNetBufferingWrapper) to achieve different - functionality. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Evaluates all filtering rules to find the first one that matches. - The matching rule determines the filtering condition to be applied - to all items in a buffer. If no condition matches, default filter - is applied to the array of log events. - - Array of log events to be post-filtered. - - - - Gets or sets the default filter to be applied when no specific rule matches. - - - - - - Gets the collection of filtering rules. The rules are processed top-down - and the first rule that matches determines the filtering condition to - be applied to log events. - - - - - - Sends log messages to a randomly selected target. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt - chosen randomly on a per-message basis. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to one of the sub-targets. - The sub-target is randomly chosen. - - The log event. - - - - Repeats each log event the specified number of times. - - Documentation on NLog Wiki - -

This example causes each log message to be repeated 3 times.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The repeat count. - - - - Forwards the log message to the by calling the method times. - - The log event. - - - - Gets or sets the number of times to repeat each log message. - - - - - - Retries in case of write error. - - Documentation on NLog Wiki - -

This example causes each write attempt to be repeated 3 times, - sleeping 1 second between attempts if first one fails.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The retry count. - The retry delay milliseconds. - - - - Writes the specified log event to the wrapped target, retrying and pausing in case of an error. - - The log event. - - - - Gets or sets the number of retries that should be attempted on the wrapped target in case of a failure. - - - - - - Gets or sets the time to wait between retries in milliseconds. - - - - - - Distributes log events to targets in a round-robin fashion. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt. - Each odd message is written to file2.txt, each even message goes to file1.txt. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the write to one of the targets from - the collection. - - The log event. - - The writes are routed in a round-robin fashion. - The first log event goes to the first target, the second - one goes to the second target and so on looping to the - first target when there are no more targets available. - In general request N goes to Targets[N % Targets.Count]. - - - - - Impersonation level. - - - - - Anonymous Level. - - - - - Identification Level. - - - - - Impersonation Level. - - - - - Delegation Level. - - - - - Logon type. - - - - - Interactive Logon. - - - This logon type is intended for users who will be interactively using the computer, such as a user being logged on - by a terminal server, remote shell, or similar process. - This logon type has the additional expense of caching logon information for disconnected operations; - therefore, it is inappropriate for some client/server applications, - such as a mail server. - - - - - Network Logon. - - - This logon type is intended for high performance servers to authenticate plaintext passwords. - The LogonUser function does not cache credentials for this logon type. - - - - - Batch Logon. - - - This logon type is intended for batch servers, where processes may be executing on behalf of a user without - their direct intervention. This type is also for higher performance servers that process many plaintext - authentication attempts at a time, such as mail or Web servers. - The LogonUser function does not cache credentials for this logon type. - - - - - Logon as a Service. - - - Indicates a service-type logon. The account provided must have the service privilege enabled. - - - - - Network Clear Text Logon. - - - This logon type preserves the name and password in the authentication package, which allows the server to make - connections to other network servers while impersonating the client. A server can accept plaintext credentials - from a client, call LogonUser, verify that the user can access the system across the network, and still - communicate with other servers. - NOTE: Windows NT: This value is not supported. - - - - - New Network Credentials. - - - This logon type allows the caller to clone its current token and specify new credentials for outbound connections. - The new logon session has the same local identifier but uses different credentials for other network connections. - NOTE: This logon type is supported only by the LOGON32_PROVIDER_WINNT50 logon provider. - NOTE: Windows NT: This value is not supported. - - - - - Writes log events to all targets. - - Documentation on NLog Wiki - -

This example causes the messages to be written to both file1.txt or file2.txt -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the specified log event to all sub-targets. - - The log event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Current local time retrieved directly from DateTime.Now. - - - - - Defines source of current time. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets current time. - - - - - Gets or sets current global time source used in all log events. - - - Default time source is . - - - - - Gets current local time directly from DateTime.Now. - - - - - Current UTC time retrieved directly from DateTime.UtcNow. - - - - - Gets current UTC time directly from DateTime.UtcNow. - - - - - Fast time source that updates current time only once per tick (15.6 milliseconds). - - - - - Gets raw uncached time from derived time source. - - - - - Gets current time cached for one system tick (15.6 milliseconds). - - - - - Fast local time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached local time directly from DateTime.Now. - - - - - Fast UTC time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached UTC time directly from DateTime.UtcNow. - - - - - Marks class as a time source and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the time source. - -
-
diff --git a/packages/NLog.3.1.0.0/lib/net40/NLog.dll b/packages/NLog.3.1.0.0/lib/net40/NLog.dll deleted file mode 100644 index cad50cc..0000000 Binary files a/packages/NLog.3.1.0.0/lib/net40/NLog.dll and /dev/null differ diff --git a/packages/NLog.3.1.0.0/lib/net40/NLog.xml b/packages/NLog.3.1.0.0/lib/net40/NLog.xml deleted file mode 100644 index d8ca446..0000000 --- a/packages/NLog.3.1.0.0/lib/net40/NLog.xml +++ /dev/null @@ -1,14997 +0,0 @@ - - - - NLog - - - - - Indicates that the value of the marked element could be null sometimes, - so the check for null is necessary before its usage - - - [CanBeNull] public object Test() { return null; } - public void UseTest() { - var p = Test(); - var s = p.ToString(); // Warning: Possible 'System.NullReferenceException' - } - - - - - Indicates that the value of the marked element could never be null - - - [NotNull] public object Foo() { - return null; // Warning: Possible 'null' assignment - } - - - - - Indicates that the marked method builds string by format pattern and (optional) arguments. - Parameter, which contains format string, should be given in constructor. The format string - should be in -like form - - - [StringFormatMethod("message")] - public void ShowError(string message, params object[] args) { /* do something */ } - public void Foo() { - ShowError("Failed: {0}"); // Warning: Non-existing argument in format string - } - - - - - Specifies which parameter of an annotated method should be treated as format-string - - - - - Indicates that the function argument should be string literal and match one - of the parameters of the caller function. For example, ReSharper annotates - the parameter of - - - public void Foo(string param) { - if (param == null) - throw new ArgumentNullException("par"); // Warning: Cannot resolve symbol - } - - - - - Indicates that the method is contained in a type that implements - interface - and this method is used to notify that some property value changed - - - The method should be non-static and conform to one of the supported signatures: - - NotifyChanged(string) - NotifyChanged(params string[]) - NotifyChanged{T}(Expression{Func{T}}) - NotifyChanged{T,U}(Expression{Func{T,U}}) - SetProperty{T}(ref T, T, string) - - - - internal class Foo : INotifyPropertyChanged { - public event PropertyChangedEventHandler PropertyChanged; - [NotifyPropertyChangedInvocator] - protected virtual void NotifyChanged(string propertyName) { ... } - - private string _name; - public string Name { - get { return _name; } - set { _name = value; NotifyChanged("LastName"); /* Warning */ } - } - } - - Examples of generated notifications: - - NotifyChanged("Property") - NotifyChanged(() => Property) - NotifyChanged((VM x) => x.Property) - SetProperty(ref myField, value, "Property") - - - - - - Describes dependency between method input and output - - -

Function Definition Table syntax:

- - FDT ::= FDTRow [;FDTRow]* - FDTRow ::= Input => Output | Output <= Input - Input ::= ParameterName: Value [, Input]* - Output ::= [ParameterName: Value]* {halt|stop|void|nothing|Value} - Value ::= true | false | null | notnull | canbenull - - If method has single input parameter, it's name could be omitted.
- Using halt (or void/nothing, which is the same) - for method output means that the methos doesn't return normally.
- canbenull annotation is only applicable for output parameters.
- You can use multiple [ContractAnnotation] for each FDT row, - or use single attribute with rows separated by semicolon.
-
- - - [ContractAnnotation("=> halt")] - public void TerminationMethod() - - - [ContractAnnotation("halt <= condition: false")] - public void Assert(bool condition, string text) // regular assertion method - - - [ContractAnnotation("s:null => true")] - public bool IsNullOrEmpty(string s) // string.IsNullOrEmpty() - - - // A method that returns null if the parameter is null, and not null if the parameter is not null - [ContractAnnotation("null => null; notnull => notnull")] - public object Transform(object data) - - - [ContractAnnotation("s:null=>false; =>true,result:notnull; =>false, result:null")] - public bool TryParse(string s, out Person result) - - -
- - - Indicates that marked element should be localized or not - - - [LocalizationRequiredAttribute(true)] - internal class Foo { - private string str = "my string"; // Warning: Localizable string - } - - - - - Indicates that the value of the marked type (or its derivatives) - cannot be compared using '==' or '!=' operators and Equals() - should be used instead. However, using '==' or '!=' for comparison - with null is always permitted. - - - [CannotApplyEqualityOperator] - class NoEquality { } - class UsesNoEquality { - public void Test() { - var ca1 = new NoEquality(); - var ca2 = new NoEquality(); - if (ca1 != null) { // OK - bool condition = ca1 == ca2; // Warning - } - } - } - - - - - When applied to a target attribute, specifies a requirement for any type marked - with the target attribute to implement or inherit specific type or types. - - - [BaseTypeRequired(typeof(IComponent)] // Specify requirement - internal class ComponentAttribute : Attribute { } - [Component] // ComponentAttribute requires implementing IComponent interface - internal class MyComponent : IComponent { } - - - - - Indicates that the marked symbol is used implicitly - (e.g. via reflection, in external library), so this symbol - will not be marked as unused (as well as by other usage inspections) - - - - - Should be used on attributes and causes ReSharper - to not mark symbols marked with such attributes as unused - (as well as by other usage inspections) - - - - Only entity marked with attribute considered used - - - Indicates implicit assignment to a member - - - - Indicates implicit instantiation of a type with fixed constructor signature. - That means any unused constructor parameters won't be reported as such. - - - - Indicates implicit instantiation of a type - - - - Specify what is considered used implicitly - when marked with - or - - - - Members of entity marked with attribute are considered used - - - Entity marked with attribute and all its members considered used - - - - This attribute is intended to mark publicly available API - which should not be removed and so is treated as used - - - - - Tells code analysis engine if the parameter is completely handled - when the invoked method is on stack. If the parameter is a delegate, - indicates that delegate is executed while the method is executed. - If the parameter is an enumerable, indicates that it is enumerated - while the method is executed - - - - - Indicates that a method does not make any observable state changes. - The same as System.Diagnostics.Contracts.PureAttribute - - - [Pure] private int Multiply(int x, int y) { return x * y; } - public void Foo() { - const int a = 2, b = 2; - Multiply(a, b); // Waring: Return value of pure method is not used - } - - - - - Indicates that a parameter is a path to a file or a folder - within a web project. Path can be relative or absolute, - starting from web root (~) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC action. If applied to a method, the MVC action name is calculated - implicitly from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC area. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC controller. If applied to a method, - the MVC controller name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC Master. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC model type. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, Object) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC partial view. If applied to a method, - the MVC partial view name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.RenderPartialExtensions.RenderPartial(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Allows disabling all inspections - for MVC views within a class or a method. - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC display template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.DisplayExtensions.DisplayForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC editor template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.EditorExtensions.EditorForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC template. - Use this attribute for custom wrappers similar to - System.ComponentModel.DataAnnotations.UIHintAttribute(System.String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC view. If applied to a method, the MVC view name is calculated implicitly - from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(Object) - - - - - ASP.NET MVC attribute. When applied to a parameter of an attribute, - indicates that this parameter is an MVC action name - - - [ActionName("Foo")] - public ActionResult Login(string returnUrl) { - ViewBag.ReturnUrl = Url.Action("Foo"); // OK - return RedirectToAction("Bar"); // Error: Cannot resolve action - } - - - - - Razor attribute. Indicates that a parameter or a method is a Razor section. - Use this attribute for custom wrappers similar to - System.Web.WebPages.WebPageBase.RenderSection(String) - - - - - Asynchronous continuation delegate - function invoked at the end of asynchronous - processing. - - Exception during asynchronous processing or null if no exception - was thrown. - - - - Helpers for asynchronous operations. - - - - - Iterates over all items in the given collection and runs the specified action - in sequence (each action executes only after the preceding one has completed without an error). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Repeats the specified asynchronous action multiple times and invokes asynchronous continuation at the end. - - The repeat count. - The asynchronous continuation to invoke at the end. - The action to invoke. - - - - Modifies the continuation by pre-pending given action to execute just before it. - - The async continuation. - The action to pre-pend. - Continuation which will execute the given action before forwarding to the actual continuation. - - - - Attaches a timeout to a continuation which will invoke the continuation when the specified - timeout has elapsed. - - The asynchronous continuation. - The timeout. - Wrapped continuation. - - - - Iterates over all items in the given collection and runs the specified action - in parallel (each action executes on a thread from thread pool). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Runs the specified asynchronous action synchronously (blocks until the continuation has - been invoked). - - The action. - - Using this method is not recommended because it will block the calling thread. - - - - - Wraps the continuation with a guard which will only make sure that the continuation function - is invoked only once. - - The asynchronous continuation. - Wrapped asynchronous continuation. - - - - Gets the combined exception from all exceptions in the list. - - The exceptions. - Combined exception or null if no exception was thrown. - - - - Asynchronous action. - - Continuation to be invoked at the end of action. - - - - Asynchronous action with one argument. - - Type of the argument. - Argument to the action. - Continuation to be invoked at the end of action. - - - - Represents the logging event with asynchronous continuation. - - - - - Initializes a new instance of the struct. - - The log event. - The continuation. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - A value of true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the log event. - - - - - Gets the continuation. - - - - - NLog internal logger. - - - - - Initializes static members of the InternalLogger class. - - - - - Logs the specified message at the specified level. - - Log level. - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the specified level. - - Log level. - Log message. - - - - Logs the specified message at the Trace level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Trace level. - - Log message. - - - - Logs the specified message at the Debug level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Debug level. - - Log message. - - - - Logs the specified message at the Info level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Info level. - - Log message. - - - - Logs the specified message at the Warn level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Warn level. - - Log message. - - - - Logs the specified message at the Error level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Error level. - - Log message. - - - - Logs the specified message at the Fatal level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Fatal level. - - Log message. - - - - Gets or sets the internal log level. - - - - - Gets or sets a value indicating whether internal messages should be written to the console output stream. - - - - - Gets or sets a value indicating whether internal messages should be written to the console error stream. - - - - - Gets or sets the name of the internal log file. - - A value of value disables internal logging to a file. - - - - Gets or sets the text writer that will receive internal logs. - - - - - Gets or sets a value indicating whether timestamp should be included in internal log output. - - - - - Gets a value indicating whether internal log includes Trace messages. - - - - - Gets a value indicating whether internal log includes Debug messages. - - - - - Gets a value indicating whether internal log includes Info messages. - - - - - Gets a value indicating whether internal log includes Warn messages. - - - - - Gets a value indicating whether internal log includes Error messages. - - - - - Gets a value indicating whether internal log includes Fatal messages. - - - - - A cyclic buffer of object. - - - - - Initializes a new instance of the class. - - Buffer size. - Whether buffer should grow as it becomes full. - The maximum number of items that the buffer can grow to. - - - - Adds the specified log event to the buffer. - - Log event. - The number of items in the buffer. - - - - Gets the array of events accumulated in the buffer and clears the buffer as one atomic operation. - - Events in the buffer. - - - - Gets the number of items in the array. - - - - - Condition and expression. - - - - - Base class for representing nodes in condition expression trees. - - - - - Converts condition text to a condition expression tree. - - Condition text to be converted. - Condition expression tree. - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Initializes a new instance of the class. - - Left hand side of the AND expression. - Right hand side of the AND expression. - - - - Returns a string representation of this expression. - - A concatenated '(Left) and (Right)' string. - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the conjunction operator. - - - - Gets the left hand side of the AND expression. - - - - - Gets the right hand side of the AND expression. - - - - - Exception during evaluation of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Condition layout expression (represented by a string literal - with embedded ${}). - - - - - Initializes a new instance of the class. - - The layout. - - - - Returns a string representation of this expression. - - String literal in single quotes. - - - - Evaluates the expression by calculating the value - of the layout in the specified evaluation context. - - Evaluation context. - The value of the layout. - - - - Gets the layout. - - The layout. - - - - Condition level expression (represented by the level keyword). - - - - - Returns a string representation of the expression. - - The 'level' string. - - - - Evaluates to the current log level. - - Evaluation context. Ignored. - The object representing current log level. - - - - Condition literal expression (numeric, LogLevel.XXX, true or false). - - - - - Initializes a new instance of the class. - - Literal value. - - - - Returns a string representation of the expression. - - The literal value. - - - - Evaluates the expression. - - Evaluation context. - The literal value as passed in the constructor. - - - - Gets the literal value. - - The literal value. - - - - Condition logger name expression (represented by the logger keyword). - - - - - Returns a string representation of this expression. - - A logger string. - - - - Evaluates to the logger name. - - Evaluation context. - The logger name. - - - - Condition message expression (represented by the message keyword). - - - - - Returns a string representation of this expression. - - The 'message' string. - - - - Evaluates to the logger message. - - Evaluation context. - The logger message. - - - - Marks class as a log event Condition and assigns a name to it. - - - - - Attaches a simple name to an item (such as , - , , etc.). - - - - - Initializes a new instance of the class. - - The name of the item. - - - - Gets the name of the item. - - The name of the item. - - - - Initializes a new instance of the class. - - Condition method name. - - - - Condition method invocation expression (represented by method(p1,p2,p3) syntax). - - - - - Initializes a new instance of the class. - - Name of the condition method. - of the condition method. - The method parameters. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the method info. - - - - - Gets the method parameters. - - The method parameters. - - - - A bunch of utility methods (mostly predicates) which can be used in - condition expressions. Parially inspired by XPath 1.0. - - - - - Compares two values for equality. - - The first value. - The second value. - true when two objects are equal, false otherwise. - - - - Compares two strings for equality. - - The first string. - The second string. - Optional. If true, case is ignored; if false (default), case is significant. - true when two strings are equal, false otherwise. - - - - Gets or sets a value indicating whether the second string is a substring of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a substring of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a prefix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a suffix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Returns the length of a string. - - A string whose lengths is to be evaluated. - The length of the string. - - - - Marks the class as containing condition methods. - - - - - Condition not expression. - - - - - Initializes a new instance of the class. - - The expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the expression to be negated. - - The expression. - - - - Condition or expression. - - - - - Initializes a new instance of the class. - - Left hand side of the OR expression. - Right hand side of the OR expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the alternative operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Exception during parsing of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Condition parser. Turns a string representation of condition expression - into an expression tree. - - - - - Initializes a new instance of the class. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - Instance of used to resolve references to condition methods and layout renderers. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - - Condition relational (==, !=, <, <=, - > or >=) expression. - - - - - Initializes a new instance of the class. - - The left expression. - The right expression. - The relational operator. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Compares the specified values using specified relational operator. - - The first value. - The second value. - The relational operator. - Result of the given relational operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Gets the relational operator. - - The operator. - - - - Relational operators used in conditions. - - - - - Equality (==). - - - - - Inequality (!=). - - - - - Less than (<). - - - - - Greater than (>). - - - - - Less than or equal (<=). - - - - - Greater than or equal (>=). - - - - - Hand-written tokenizer for conditions. - - - - - Initializes a new instance of the class. - - The string reader. - - - - Asserts current token type and advances to the next token. - - Expected token type. - If token type doesn't match, an exception is thrown. - - - - Asserts that current token is a keyword and returns its value and advances to the next token. - - Keyword value. - - - - Gets or sets a value indicating whether current keyword is equal to the specified value. - - The keyword. - - A value of true if current keyword is equal to the specified value; otherwise, false. - - - - - Gets or sets a value indicating whether the tokenizer has reached the end of the token stream. - - - A value of true if the tokenizer has reached the end of the token stream; otherwise, false. - - - - - Gets or sets a value indicating whether current token is a number. - - - A value of true if current token is a number; otherwise, false. - - - - - Gets or sets a value indicating whether the specified token is of specified type. - - The token type. - - A value of true if current token is of specified type; otherwise, false. - - - - - Gets the next token and sets and properties. - - - - - Gets the token position. - - The token position. - - - - Gets the type of the token. - - The type of the token. - - - - Gets the token value. - - The token value. - - - - Gets the value of a string token. - - The string token value. - - - - Mapping between characters and token types for punctuations. - - - - - Initializes a new instance of the CharToTokenType struct. - - The character. - Type of the token. - - - - Token types for condition expressions. - - - - - Marks the class or a member as advanced. Advanced classes and members are hidden by - default in generated documentation. - - - - - Initializes a new instance of the class. - - - - - Identifies that the output of layout or layout render does not change for the lifetime of the current appdomain. - - - - - Used to mark configurable parameters which are arrays. - Specifies the mapping between XML elements and .NET types. - - - - - Initializes a new instance of the class. - - The type of the array item. - The XML element name that represents the item. - - - - Gets the .NET type of the array item. - - - - - Gets the XML element name. - - - - - NLog configuration section handler class for configuring NLog from App.config. - - - - - Creates a configuration section handler. - - Parent object. - Configuration context object. - Section XML node. - The created section handler object. - - - - Constructs a new instance the configuration item (target, layout, layout renderer, etc.) given its type. - - Type of the item. - Created object of the specified type. - - - - Provides registration information for named items (targets, layouts, layout renderers, etc.) managed by NLog. - - - - - Initializes static members of the class. - - - - - Initializes a new instance of the class. - - The assemblies to scan for named items. - - - - Registers named items from the assembly. - - The assembly. - - - - Registers named items from the assembly. - - The assembly. - Item name prefix. - - - - Clears the contents of all factories. - - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Builds the default configuration item factory. - - Default factory. - - - - Registers items in NLog.Extended.dll using late-bound types, so that we don't need a reference to NLog.Extended.dll. - - - - - Gets or sets default singleton instance of . - - - - - Gets or sets the creator delegate used to instantiate configuration objects. - - - By overriding this property, one can enable dependency injection or interception for created objects. - - - - - Gets the factory. - - The target factory. - - - - Gets the factory. - - The filter factory. - - - - Gets the factory. - - The layout renderer factory. - - - - Gets the factory. - - The layout factory. - - - - Gets the ambient property factory. - - The ambient property factory. - - - - Gets the time source factory. - - The time source factory. - - - - Gets the condition method factory. - - The condition method factory. - - - - Attribute used to mark the default parameters for layout renderers. - - - - - Initializes a new instance of the class. - - - - - Factory for class-based items. - - The base type of each item. - The type of the attribute used to annotate itemss. - - - - Represents a factory of named items (such as targets, layouts, layout renderers, etc.). - - Base type for each item instance. - Item definition type (typically or ). - - - - Registers new item definition. - - Name of the item. - Item definition. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Creates item instance. - - Name of the item. - Newly created item instance. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Provides means to populate factories of named items (such as targets, layouts, layout renderers, etc.). - - - - - Scans the assembly. - - The assembly. - The prefix. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Registers the item based on a type name. - - Name of the item. - Name of the type. - - - - Clears the contents of the factory. - - - - - Registers a single type definition. - - The item name. - The type of the item. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Creates an item instance. - - The name of the item. - Created item. - - - - Implemented by objects which support installation and uninstallation. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Provides context for install/uninstall operations. - - - - - Mapping between log levels and console output colors. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log output. - - - - Logs the specified trace message. - - The message. - The arguments. - - - - Logs the specified debug message. - - The message. - The arguments. - - - - Logs the specified informational message. - - The message. - The arguments. - - - - Logs the specified warning message. - - The message. - The arguments. - - - - Logs the specified error message. - - The message. - The arguments. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates the log event which can be used to render layouts during installation/uninstallations. - - Log event info object. - - - - Gets or sets the installation log level. - - - - - Gets or sets a value indicating whether to ignore failures during installation. - - - - - Gets the installation parameters. - - - - - Gets or sets the log output. - - - - - Keeps logging configuration and provides simple API - to modify it. - - - - - Initializes a new instance of the class. - - - - - Registers the specified target object under a given name. - - - Name of the target. - - - The target object. - - - - - Finds the target with the specified name. - - - The name of the target to be found. - - - Found target or when the target is not found. - - - - - Called by LogManager when one of the log configuration files changes. - - - A new instance of that represents the updated configuration. - - - - - Removes the specified named target. - - - Name of the target. - - - - - Installs target-specific objects on current system. - - The installation context. - - Installation typically runs with administrative permissions. - - - - - Uninstalls target-specific objects from current system. - - The installation context. - - Uninstallation typically runs with administrative permissions. - - - - - Closes all targets and releases any unmanaged resources. - - - - - Flushes any pending log messages on all appenders. - - The asynchronous continuation. - - - - Validates the configuration. - - - - - Gets a collection of named targets specified in the configuration. - - - A list of named targets. - - - Unnamed targets (such as those wrapped by other targets) are not returned. - - - - - Gets the collection of file names which should be watched for changes by NLog. - - - - - Gets the collection of logging rules. - - - - - Gets or sets the default culture info use. - - - - - Gets all targets. - - - - - Arguments for events. - - - - - Initializes a new instance of the class. - - The old configuration. - The new configuration. - - - - Gets the old configuration. - - The old configuration. - - - - Gets the new configuration. - - The new configuration. - - - - Arguments for . - - - - - Initializes a new instance of the class. - - Whether configuration reload has succeeded. - The exception during configuration reload. - - - - Gets a value indicating whether configuration reload has succeeded. - - A value of true if succeeded; otherwise, false. - - - - Gets the exception which occurred during configuration reload. - - The exception. - - - - Represents a logging rule. An equivalent of <logger /> configuration element. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Minimum log level needed to trigger this rule. - Target to be written to when the rule matches. - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Target to be written to when the rule matches. - By default no logging levels are defined. You should call and to set them. - - - - Enables logging for a particular level. - - Level to be enabled. - - - - Disables logging for a particular level. - - Level to be disabled. - - - - Returns a string representation of . Used for debugging. - - - A that represents the current . - - - - - Checks whether te particular log level is enabled for this rule. - - Level to be checked. - A value of when the log level is enabled, otherwise. - - - - Checks whether given name matches the logger name pattern. - - String to be matched. - A value of when the name matches, otherwise. - - - - Gets a collection of targets that should be written to when this rule matches. - - - - - Gets a collection of child rules to be evaluated when this rule matches. - - - - - Gets a collection of filters to be checked before writing to targets. - - - - - Gets or sets a value indicating whether to quit processing any further rule when this one matches. - - - - - Gets or sets logger name pattern. - - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends but not anywhere else. - - - - - Gets the collection of log levels enabled by this rule. - - - - - Factory for locating methods. - - The type of the class marker attribute. - The type of the method marker attribute. - - - - Scans the assembly for classes marked with - and methods marked with and adds them - to the factory. - - The assembly. - The prefix to use for names. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Clears contents of the factory. - - - - - Registers the definition of a single method. - - The method name. - The method info. - - - - Tries to retrieve method by name. - - The method name. - The result. - A value of true if the method was found, false otherwise. - - - - Retrieves method by name. - - Method name. - MethodInfo object. - - - - Tries to get method definition. - - The method . - The result. - A value of true if the method was found, false otherwise. - - - - Gets a collection of all registered items in the factory. - - - Sequence of key/value pairs where each key represents the name - of the item and value is the of - the item. - - - - - Marks the object as configuration item for NLog. - - - - - Initializes a new instance of the class. - - - - - Represents simple XML element with case-insensitive attribute semantics. - - - - - Initializes a new instance of the class. - - The input URI. - - - - Initializes a new instance of the class. - - The reader to initialize element from. - - - - Prevents a default instance of the class from being created. - - - - - Returns children elements with the specified element name. - - Name of the element. - Children elements with the specified element name. - - - - Gets the required attribute. - - Name of the attribute. - Attribute value. - Throws if the attribute is not specified. - - - - Gets the optional boolean attribute value. - - Name of the attribute. - Default value to return if the attribute is not found. - Boolean attribute value or default. - - - - Gets the optional attribute value. - - Name of the attribute. - The default value. - Value of the attribute or default value. - - - - Asserts that the name of the element is among specified element names. - - The allowed names. - - - - Gets the element name. - - - - - Gets the dictionary of attribute values. - - - - - Gets the collection of child elements. - - - - - Gets the value of the element. - - - - - Attribute used to mark the required parameters for targets, - layout targets and filters. - - - - - Provides simple programmatic configuration API used for trivial logging cases. - - - - - Configures NLog for console logging so that all messages above and including - the level are output to the console. - - - - - Configures NLog for console logging so that all messages above and including - the specified level are output to the console. - - The minimal logging level. - - - - Configures NLog for to log to the specified target so that all messages - above and including the level are output. - - The target to log all messages to. - - - - Configures NLog for to log to the specified target so that all messages - above and including the specified level are output. - - The target to log all messages to. - The minimal logging level. - - - - Configures NLog for file logging so that all messages above and including - the level are written to the specified file. - - Log file name. - - - - Configures NLog for file logging so that all messages above and including - the specified level are written to the specified file. - - Log file name. - The minimal logging level. - - - - Value indicating how stack trace should be captured when processing the log event. - - - - - Stack trace should not be captured. - - - - - Stack trace should be captured without source-level information. - - - - - Stack trace should be captured including source-level information such as line numbers. - - - - - Capture maximum amount of the stack trace information supported on the plaform. - - - - - Marks the layout or layout renderer as producing correct results regardless of the thread - it's running on. - - - - - A class for configuring NLog through an XML configuration file - (App.config style or App.nlog style). - - - - - Initializes a new instance of the class. - - Configuration file to be read. - - - - Initializes a new instance of the class. - - Configuration file to be read. - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - The XML element. - Name of the XML file. - - - - Initializes a new instance of the class. - - The XML element. - Name of the XML file. - If set to true errors will be ignored during file processing. - - - - Re-reads the original configuration file and returns the new object. - - The new object. - - - - Initializes the configuration. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Gets the default object by parsing - the application configuration file (app.exe.config). - - - - - Gets or sets a value indicating whether the configuration files - should be watched for changes and reloaded automatically when changed. - - - - - Gets the collection of file names which should be watched for changes by NLog. - This is the list of configuration files processed. - If the autoReload attribute is not set it returns empty collection. - - - - - Matches when the specified condition is met. - - - Conditions are expressed using a simple language - described here. - - - - - An abstract filter class. Provides a way to eliminate log messages - based on properties other than logger name and log level. - - - - - Initializes a new instance of the class. - - - - - Gets the result of evaluating filter against given log event. - - The log event. - Filter result. - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the action to be taken when filter matches. - - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the condition expression. - - - - - - Marks class as a layout renderer and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the filter. - - - - Filter result. - - - - - The filter doesn't want to decide whether to log or discard the message. - - - - - The message should be logged. - - - - - The message should not be logged. - - - - - The message should be logged and processing should be finished. - - - - - The message should not be logged and processing should be finished. - - - - - A base class for filters that are based on comparing a value to a layout. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the layout to be used to filter log messages. - - The layout. - - - - - Matches when the calculated layout contains the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets the substring to be matched. - - - - - - Matches when the calculated layout is equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets a string to compare the layout to. - - - - - - Matches when the calculated layout does NOT contain the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the substring to be matched. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Matches when the calculated layout is NOT equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Initializes a new instance of the class. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a string to compare the layout to. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Global Diagnostics Context - used for log4net compatibility. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Global Diagnostics Context - a dictionary structure to hold per-application-instance values. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Various helper methods for accessing state of ASP application. - - - - - Internal configuration manager used to read .NET configuration files. - Just a wrapper around the BCL ConfigurationManager, but used to enable - unit testing. - - - - - Interface for the wrapper around System.Configuration.ConfigurationManager. - - - - - Gets the wrapper around ConfigurationManager.AppSettings. - - - - - Gets the wrapper around ConfigurationManager.AppSettings. - - - - - Provides untyped IDictionary interface on top of generic IDictionary. - - The type of the key. - The type of the value. - - - - Initializes a new instance of the DictionaryAdapter class. - - The implementation. - - - - Adds an element with the provided key and value to the object. - - The to use as the key of the element to add. - The to use as the value of the element to add. - - - - Removes all elements from the object. - - - - - Determines whether the object contains an element with the specified key. - - The key to locate in the object. - - True if the contains an element with the key; otherwise, false. - - - - - Returns an object for the object. - - - An object for the object. - - - - - Removes the element with the specified key from the object. - - The key of the element to remove. - - - - Copies the elements of the to an , starting at a particular index. - - The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. - The zero-based index in at which copying begins. - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Gets an object containing the values in the object. - - - - An object containing the values in the object. - - - - - Gets the number of elements contained in the . - - - - The number of elements contained in the . - - - - - Gets a value indicating whether access to the is synchronized (thread safe). - - - true if access to the is synchronized (thread safe); otherwise, false. - - - - - Gets an object that can be used to synchronize access to the . - - - - An object that can be used to synchronize access to the . - - - - - Gets a value indicating whether the object has a fixed size. - - - true if the object has a fixed size; otherwise, false. - - - - - Gets a value indicating whether the object is read-only. - - - true if the object is read-only; otherwise, false. - - - - - Gets an object containing the keys of the object. - - - - An object containing the keys of the object. - - - - - Gets or sets the with the specified key. - - Dictionary key. - Value corresponding to key or null if not found - - - - Wrapper IDictionaryEnumerator. - - - - - Initializes a new instance of the class. - - The wrapped. - - - - Advances the enumerator to the next element of the collection. - - - True if the enumerator was successfully advanced to the next element; false if the enumerator has passed the end of the collection. - - - - - Sets the enumerator to its initial position, which is before the first element in the collection. - - - - - Gets both the key and the value of the current dictionary entry. - - - - A containing both the key and the value of the current dictionary entry. - - - - - Gets the key of the current dictionary entry. - - - - The key of the current element of the enumeration. - - - - - Gets the value of the current dictionary entry. - - - - The value of the current element of the enumeration. - - - - - Gets the current element in the collection. - - - - The current element in the collection. - - - - - LINQ-like helpers (cannot use LINQ because we must work with .NET 2.0 profile). - - - - - Filters the given enumerable to return only items of the specified type. - - - Type of the item. - - - The enumerable. - - - Items of specified type. - - - - - Reverses the specified enumerable. - - - Type of enumerable item. - - - The enumerable. - - - Reversed enumerable. - - - - - Determines is the given predicate is met by any element of the enumerable. - - Element type. - The enumerable. - The predicate. - True if predicate returns true for any element of the collection, false otherwise. - - - - Converts the enumerable to list. - - Type of the list element. - The enumerable. - List of elements. - - - - Safe way to get environment variables. - - - - - Helper class for dealing with exceptions. - - - - - Determines whether the exception must be rethrown. - - The exception. - True if the exception must be rethrown, false otherwise. - - - - Object construction helper. - - - - - Adapter for to - - - - - Interface for fakeable the current . Not fully implemented, please methods/properties as necessary. - - - - - Gets or sets the base directory that the assembly resolver uses to probe for assemblies. - - - - - Gets or sets the name of the configuration file for an application domain. - - - - - Gets or sets the list of directories under the application base directory that are probed for private assemblies. - - - - - Gets or set the friendly name. - - - - - Process exit event. - - - - - Domain unloaded event. - - - - - Initializes a new instance of the class. - - The to wrap. - - - - Gets a the current wrappered in a . - - - - - Gets or sets the base directory that the assembly resolver uses to probe for assemblies. - - - - - Gets or sets the name of the configuration file for an application domain. - - - - - Gets or sets the list of directories under the application base directory that are probed for private assemblies. - - - - - Gets or set the friendly name. - - - - - Process exit event. - - - - - Domain unloaded event. - - - - - Base class for optimized file appenders. - - - - - Initializes a new instance of the class. - - Name of the file. - The create parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Records the last write time for a file. - - - - - Records the last write time for a file to be specific date. - - Date and time when the last write occurred. - - - - Creates the file stream. - - If set to true allow concurrent writes. - A object which can be used to write to the file. - - - - Gets the name of the file. - - The name of the file. - - - - Gets the last write time. - - The last write time. - - - - Gets the open time of the file. - - The open time. - - - - Gets the file creation parameters. - - The file creation parameters. - - - - Implementation of which caches - file information. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Closes this instance of the appender. - - - - - Flushes this current appender. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Writes the specified bytes to a file. - - The bytes to be written. - - - - Factory class which creates objects. - - - - - Interface implemented by all factories capable of creating file appenders. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - Instance of which can be used to write to the file. - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Interface that provides parameters for create file function. - - - - - Provides a multiprocess-safe atomic file appends while - keeping the files open. - - - On Unix you can get all the appends to be atomic, even when multiple - processes are trying to write to the same file, because setting the file - pointer to the end of the file and appending can be made one operation. - On Win32 we need to maintain some synchronization between processes - (global named mutex is used for this) - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes to be written. - - - - Closes this instance. - - - - - Flushes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Multi-process and multi-host file appender which attempts - to get exclusive write access and retries if it's not available. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized single-process file appender which keeps the file open for exclusive write. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized routines to get the size and last write time of the specified file. - - - - - Initializes static members of the FileInfoHelper class. - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - A value of true if file information was retrieved successfully, false otherwise. - - - - Form helper methods. - - - - - Creates RichTextBox and docks in parentForm. - - Name of RichTextBox. - Form to dock RichTextBox. - Created RichTextBox. - - - - Finds control embedded on searchControl. - - Name of the control. - Control in which we're searching for control. - A value of null if no control has been found. - - - - Finds control of specified type embended on searchControl. - - The type of the control. - Name of the control. - Control in which we're searching for control. - - A value of null if no control has been found. - - - - - Creates a form. - - Name of form. - Width of form. - Height of form. - Auto show form. - If set to true the form will be minimized. - If set to true the form will be created as tool window. - Created form. - - - - Interface implemented by layouts and layout renderers. - - - - - Renders the the value of layout or layout renderer in the context of the specified log event. - - The log event. - String representation of a layout. - - - - Supports mocking of SMTP Client code. - - - - - Supports object initialization and termination. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Allows components to request stack trace information to be provided in the . - - - - - Gets the level of stack trace information required by the implementing class. - - - - - Logger configuration. - - - - - Initializes a new instance of the class. - - The targets by level. - - - - Gets targets for the specified level. - - The level. - Chain of targets with attached filters. - - - - Determines whether the specified level is enabled. - - The level. - - A value of true if the specified level is enabled; otherwise, false. - - - - - Message Box helper. - - - - - Shows the specified message using platform-specific message box. - - The message. - The caption. - - - - Watches multiple files at the same time and raises an event whenever - a single change is detected in any of those files. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Stops the watching. - - - - - Watches the specified files for changes. - - The file names. - - - - Occurs when a change is detected in one of the monitored files. - - - - - Supports mocking of SMTP Client code. - - - - - Network sender which uses HTTP or HTTPS POST. - - - - - A base class for all network senders. Supports one-way sending of messages - over various protocols. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Finalizes an instance of the NetworkSender class. - - - - - Initializes this network sender. - - - - - Closes the sender and releases any unmanaged resources. - - The continuation. - - - - Flushes any pending messages and invokes a continuation. - - The continuation. - - - - Send the given text over the specified protocol. - - Bytes to be sent. - Offset in buffer. - Number of bytes to send. - The asynchronous continuation. - - - - Closes the sender and releases any unmanaged resources. - - - - - Performs sender-specific initialization. - - - - - Performs sender-specific close operation. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Parses the URI into an endpoint address. - - The URI to parse. - The address family. - Parsed endpoint. - - - - Gets the address of the network endpoint. - - - - - Gets the last send time. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Creates instances of objects for given URLs. - - - - - Creates a new instance of the network sender based on a network URL. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - - A newly created network sender. - - - - - Interface for mocking socket calls. - - - - - Default implementation of . - - - - - Creates a new instance of the network sender based on a network URL:. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - /// - A newly created network sender. - - - - - Socket proxy for mocking Socket code. - - - - - Initializes a new instance of the class. - - The address family. - Type of the socket. - Type of the protocol. - - - - Closes the wrapped socket. - - - - - Invokes ConnectAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendToAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Sends messages over a TCP network connection. - - - - - Initializes a new instance of the class. - - URL. Must start with tcp://. - The address family. - - - - Creates the socket with given parameters. - - The address family. - Type of the socket. - Type of the protocol. - Instance of which represents the socket. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Sends the specified text over the connected socket. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Facilitates mocking of class. - - - - - Raises the Completed event. - - - - - Sends messages over the network as UDP datagrams. - - - - - Initializes a new instance of the class. - - URL. Must start with udp://. - The address family. - - - - Creates the socket. - - The address family. - Type of the socket. - Type of the protocol. - Implementation of to use. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Sends the specified text as a UDP datagram. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Scans (breadth-first) the object graph following all the edges whose are - instances have attached and returns - all objects implementing a specified interfaces. - - - - - Finds the objects which have attached which are reachable - from any of the given root objects when traversing the object graph over public properties. - - Type of the objects to return. - The root objects. - Ordered list of objects implementing T. - - - - Parameter validation utilities. - - - - - Asserts that the value is not null and throws otherwise. - - The value to check. - Name of the parameter. - - - - Detects the platform the NLog is running on. - - - - - Gets the current runtime OS. - - - - - Gets a value indicating whether current OS is a desktop version of Windows. - - - - - Gets a value indicating whether current OS is Win32-based (desktop or mobile). - - - - - Gets a value indicating whether current OS is Unix-based. - - - - - Portable implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Portable implementation of . - - - - - Returns details about current process and thread in a portable manner. - - - - - Initializes static members of the ThreadIDHelper class. - - - - - Gets the singleton instance of PortableThreadIDHelper or - Win32ThreadIDHelper depending on runtime environment. - - The instance. - - - - Gets current thread ID. - - - - - Gets current process ID. - - - - - Gets current process name. - - - - - Gets current process name (excluding filename extension, if any). - - - - - Initializes a new instance of the class. - - - - - Gets the name of the process. - - - - - Gets current thread ID. - - - - - - Gets current process ID. - - - - - - Gets current process name. - - - - - - Gets current process name (excluding filename extension, if any). - - - - - - Reflection helpers for accessing properties. - - - - - Reflection helpers. - - - - - Gets all usable exported types from the given assembly. - - Assembly to scan. - Usable types from the given assembly. - Types which cannot be loaded are skipped. - - - - Supported operating systems. - - - If you add anything here, make sure to add the appropriate detection - code to - - - - - Any operating system. - - - - - Unix/Linux operating systems. - - - - - Windows CE. - - - - - Desktop versions of Windows (95,98,ME). - - - - - Windows NT, 2000, 2003 and future versions based on NT technology. - - - - - Unknown operating system. - - - - - Simple character tokenizer. - - - - - Initializes a new instance of the class. - - The text to be tokenized. - - - - Implements a single-call guard around given continuation function. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - - - - Continuation function which implements the single-call guard. - - The exception. - - - - Provides helpers to sort log events and associated continuations. - - - - - Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. - - The type of the value. - The type of the key. - The inputs. - The key selector function. - - Dictonary where keys are unique input keys, and values are lists of . - - - - - Key selector delegate. - - The type of the value. - The type of the key. - Value to extract key information from. - Key selected from log event. - - - - Utilities for dealing with values. - - - - - Represents target with a chain of filters which determine - whether logging should happen. - - - - - Initializes a new instance of the class. - - The target. - The filter chain. - - - - Gets the stack trace usage. - - A value that determines stack trace handling. - - - - Gets the target. - - The target. - - - - Gets the filter chain. - - The filter chain. - - - - Gets or sets the next item in the chain. - - The next item in the chain. - - - - Helper for dealing with thread-local storage. - - - - - Allocates the data slot for storing thread-local information. - - Allocated slot key. - - - - Gets the data for a slot in thread-local storage. - - Type of the data. - The slot to get data for. - - Slot data (will create T if null). - - - - - Wraps with a timeout. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - The timeout. - - - - Continuation function which implements the timeout logic. - - The exception. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - URL Encoding helper. - - - - - Win32-optimized implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Win32-optimized implementation of . - - - - - Initializes a new instance of the class. - - - - - Gets current thread ID. - - - - - - Gets current process ID. - - - - - - Gets current process name. - - - - - - Gets current process name (excluding filename extension, if any). - - - - - - Helper class for XML - - - - - removes any unusual unicode characters that can't be encoded into XML - - - - - Safe version of WriteAttributeString - - - - - - - - - - Safe version of WriteAttributeString - - - - - - - - Safe version of WriteElementSafeString - - - - - - - - - - Safe version of WriteCData - - - - - - - Designates a property of the class as an ambient property. - - - - - Initializes a new instance of the class. - - Ambient property name. - - - - ASP Application variable. - - - - - Render environmental information related to logging events. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Renders the the value of layout renderer in the context of the specified log event. - - The log event. - String representation of a layout renderer. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Gets the logging configuration this target is part of. - - - - - Renders the specified ASP Application variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the ASP Application variable name. - - - - - - ASP Request variable. - - - - - Renders the specified ASP Request variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the item name. The QueryString, Form, Cookies, or ServerVariables collection variables having the specified name are rendered. - - - - - - Gets or sets the QueryString variable to be rendered. - - - - - - Gets or sets the form variable to be rendered. - - - - - - Gets or sets the cookie to be rendered. - - - - - - Gets or sets the ServerVariables item to be rendered. - - - - - - ASP Session variable. - - - - - Renders the specified ASP Session variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the session variable name. - - - - - - Assembly version. - - - - - Renders assembly version and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The current application domain's base directory. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the application base directory and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with with the base directory. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with with the base directory. - - - - - - The call site (class name, method name and source information). - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render the class name. - - - - - - Gets or sets a value indicating whether to render the method name. - - - - - - Gets or sets a value indicating whether the method name will be cleaned up if it is detected as an anonymous delegate. - - - - - - Gets or sets the number of frames to skip. - - - - - Gets or sets a value indicating whether to render the source file name and line number. - - - - - - Gets or sets a value indicating whether to include source file path. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - A counter value (increases on each layout rendering). - - - - - Initializes a new instance of the class. - - - - - Renders the specified counter value and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the initial value of the counter. - - - - - - Gets or sets the value to be added to the counter after each layout rendering. - - - - - - Gets or sets the name of the sequence. Different named sequences can have individual values. - - - - - - Current date and time. - - - - - Initializes a new instance of the class. - - - - - Renders the current date and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the culture used for rendering. - - - - - - Gets or sets the date format. Can be any argument accepted by DateTime.ToString(format). - - - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - The environment variable. - - - - - Renders the specified environment variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the environment variable. - - - - - - Gets or sets the default value to be used when the environment variable is not set. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Exception information provided through - a call to one of the Logger.*Exception() methods. - - - - - Initializes a new instance of the class. - - - - - Renders the specified exception information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the format of the output. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the format of the output of inner exceptions. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the separator used to concatenate parts specified in the Format. - - - - - - Gets or sets the maximum number of inner exceptions to include in the output. - By default inner exceptions are not enabled for compatibility with NLog 1.0. - - - - - - Gets or sets the separator between inner exceptions. - - - - - - Renders contents of the specified file. - - - - - Initializes a new instance of the class. - - - - - Renders the contents of the specified file and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file. - - - - - - Gets or sets the encoding used in the file. - - The encoding. - - - - - The information about the garbage collector. - - - - - Initializes a new instance of the class. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Gets or sets the property of System.GC to retrieve. - - - - - Total memory allocated. - - - - - Total memory allocated (perform full garbage collection first). - - - - - Gets the number of Gen0 collections. - - - - - Gets the number of Gen1 collections. - - - - - Gets the number of Gen2 collections. - - - - - Maximum generation number supported by GC. - - - - - Global Diagnostics Context item. Provided for compatibility with log4net. - - - - - Renders the specified Global Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Globally-unique identifier (GUID). - - - - - Initializes a new instance of the class. - - - - - Renders a newly generated GUID string and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the GUID format as accepted by Guid.ToString() method. - - - - - - Thread identity information (name and authentication information). - - - - - Initializes a new instance of the class. - - - - - Renders the specified identity information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the separator to be used when concatenating - parts of identity information. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.Name. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.AuthenticationType. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.IsAuthenticated. - - - - - - Installation parameter (passed to InstallNLogConfig). - - - - - Renders the specified installation parameter and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the parameter. - - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Name of the layout renderer. - - - - The log level. - - - - - Renders the current log level and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - A string literal. - - - This is used to escape '${' sequence - as ;${literal:text=${}' - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The literal text value. - This is used by the layout compiler. - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the literal text. - - - - - - XML event description compatible with log4j, Chainsaw and NLogViewer. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the XML logging event and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets a value indicating whether the XML should use spaces for indentation. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include contents of the dictionary. - - - - - - Gets or sets a value indicating whether to include contents of the stack. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - The logger name. - - - - - Renders the logger name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render short logger name (the part after the trailing dot character). - - - - - - The date and time in a long, sortable format yyyy-MM-dd HH:mm:ss.mmm. - - - - - Renders the date in the long format (yyyy-MM-dd HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - The machine name that the process is running on. - - - - - Initializes the layout renderer. - - - - - Renders the machine name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Mapped Diagnostic Context item. Provided for compatibility with log4net. - - - - - Renders the specified MDC item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - The formatted log message. - - - - - Initializes a new instance of the class. - - - - - Renders the log message including any positional parameters and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to log exception along with message. - - - - - - Gets or sets the string that separates message from the exception. - - - - - - Nested Diagnostic Context item. Provided for compatibility with log4net. - - - - - Initializes a new instance of the class. - - - - - Renders the specified Nested Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the number of bottom stack frames to be rendered. - - - - - - Gets or sets the separator to be used for concatenating nested diagnostics context output. - - - - - - A newline literal. - - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The directory where NLog.dll is located. - - - - - Initializes static members of the NLogDirLayoutRenderer class. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The performance counter. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Renders the specified environment variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the counter category. - - - - - - Gets or sets the name of the performance counter. - - - - - - Gets or sets the name of the performance counter instance (e.g. this.Global_). - - - - - - Gets or sets the name of the machine to read the performance counter from. - - - - - - The identifier of the current process. - - - - - Renders the current process ID. - - The to append the rendered data to. - Logging event. - - - - The information about the running process. - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Property of System.Diagnostics.Process to retrieve. - - - - - Base Priority. - - - - - Exit Code. - - - - - Exit Time. - - - - - Process Handle. - - - - - Handle Count. - - - - - Whether process has exited. - - - - - Process ID. - - - - - Machine name. - - - - - Handle of the main window. - - - - - Title of the main window. - - - - - Maximum Working Set. - - - - - Minimum Working Set. - - - - - Non-paged System Memory Size. - - - - - Non-paged System Memory Size (64-bit). - - - - - Paged Memory Size. - - - - - Paged Memory Size (64-bit).. - - - - - Paged System Memory Size. - - - - - Paged System Memory Size (64-bit). - - - - - Peak Paged Memory Size. - - - - - Peak Paged Memory Size (64-bit). - - - - - Peak Vitual Memory Size. - - - - - Peak Virtual Memory Size (64-bit).. - - - - - Peak Working Set Size. - - - - - Peak Working Set Size (64-bit). - - - - - Whether priority boost is enabled. - - - - - Priority Class. - - - - - Private Memory Size. - - - - - Private Memory Size (64-bit). - - - - - Privileged Processor Time. - - - - - Process Name. - - - - - Whether process is responding. - - - - - Session ID. - - - - - Process Start Time. - - - - - Total Processor Time. - - - - - User Processor Time. - - - - - Virtual Memory Size. - - - - - Virtual Memory Size (64-bit). - - - - - Working Set Size. - - - - - Working Set Size (64-bit). - - - - - The name of the current process. - - - - - Renders the current process name (optionally with a full path). - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to write the full path to the process executable. - - - - - - The process time in format HH:mm:ss.mmm. - - - - - Renders the current process running time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - High precision timer, based on the value returned from QueryPerformanceCounter() optionally converted to seconds. - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to normalize the result by subtracting - it from the result of the first call (so that it's effectively zero-based). - - - - - - Gets or sets a value indicating whether to output the difference between the result - of QueryPerformanceCounter and the previous one. - - - - - - Gets or sets a value indicating whether to convert the result to seconds by dividing - by the result of QueryPerformanceFrequency(). - - - - - - Gets or sets the number of decimal digits to be included in output. - - - - - - Gets or sets a value indicating whether to align decimal point (emit non-significant zeros). - - - - - - A value from the Registry. - - - - - Reads the specified registry key and value and appends it to - the passed . - - The to append the rendered data to. - Logging event. Ignored. - - - - Gets or sets the registry value name. - - - - - - Gets or sets the value to be output when the specified registry key or value is not found. - - - - - - Gets or sets the registry key. - - - Must have one of the forms: -
    -
  • HKLM\Key\Full\Name
  • -
  • HKEY_LOCAL_MACHINE\Key\Full\Name
  • -
  • HKCU\Key\Full\Name
  • -
  • HKEY_CURRENT_USER\Key\Full\Name
  • -
-
- -
- - - The short date in a sortable format yyyy-MM-dd. - - - - - Renders the current short date string (yyyy-MM-dd) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - System special folder path (includes My Documents, My Music, Program Files, Desktop, and more). - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the system special folder to use. - - - Full list of options is available at MSDN. - The most common ones are: -
    -
  • ApplicationData - roaming application data for current user.
  • -
  • CommonApplicationData - application data for all users.
  • -
  • MyDocuments - My Documents
  • -
  • DesktopDirectory - Desktop directory
  • -
  • LocalApplicationData - non roaming application data
  • -
  • Personal - user profile directory
  • -
  • System - System directory
  • -
-
- -
- - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - Format of the ${stacktrace} layout renderer output. - - - - - Raw format (multiline - as returned by StackFrame.ToString() method). - - - - - Flat format (class and method names displayed in a single line). - - - - - Detailed flat format (method signatures displayed in a single line). - - - - - Stack trace renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the output format of the stack trace. - - - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the stack frame separator string. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - - A temporary directory. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The identifier of the current thread. - - - - - Renders the current thread identifier and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The name of the current thread. - - - - - Renders the current thread name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The Ticks value of current date and time. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The time in a 24-hour, sortable format HH:mm:ss.mmm. - - - - - Renders time in the 24-h format (HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Thread Windows identity information (username). - - - - - Initializes a new instance of the class. - - - - - Renders the current thread windows identity information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether domain name should be included. - - - - - - Gets or sets a value indicating whether username should be included. - - - - - - Applies caching to another layout output. - - - The value of the inner layout will be rendered only once and reused subsequently. - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Renders the inner message, processes it and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets the wrapped layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets a value indicating whether this is enabled. - - - - - - Filters characters not allowed in the file names by replacing them with safe character. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to modify the output of this renderer so it can be used as a part of file path - (illegal characters are replaced with '_'). - - - - - - Escapes output of another layout using JSON rules. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - JSON-encoded string. - - - - Gets or sets a value indicating whether to apply JSON encoding. - - - - - - Converts the result of another layout output to lower case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Only outputs the inner layout when exception has been defined for log message. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Applies padding to another layout output. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the number of characters to pad the output to. - - - Positive padding values cause left padding, negative values - cause right padding to the desired width. - - - - - - Gets or sets the padding character. - - - - - - Gets or sets a value indicating whether to trim the - rendered text to the absolute value of the padding length. - - - - - - Replaces a string in the output of another layout with another string. - - - - - Initializes the layout renderer. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Post-processed text. - - - - A match evaluator for Regular Expression based replacing - - - - - - - - - - Gets or sets the text to search for. - - The text search for. - - - - - Gets or sets a value indicating whether regular expressions should be used. - - A value of true if regular expressions should be used otherwise, false. - - - - - Gets or sets the replacement string. - - The replacement string. - - - - - Gets or sets the group name to replace when using regular expressions. - Leave null or empty to replace without using group name. - - The group name. - - - - - Gets or sets a value indicating whether to ignore case. - - A value of true if case should be ignored when searching; otherwise, false. - - - - - Gets or sets a value indicating whether to search for whole words. - - A value of true if whole words should be searched for; otherwise, false. - - - - - This class was created instead of simply using a lambda expression so that the "ThreadAgnosticAttributeTest" will pass - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Encodes/Decodes ROT-13-encoded string. - - The string to be encoded/decoded. - Encoded/Decoded text. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the layout to be wrapped. - - The layout to be wrapped. - This variable is for backwards compatibility - - - - - Trims the whitespace from the result of another layout renderer. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Converts the result of another layout output to upper case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether upper case conversion should be applied. - - A value of true if upper case conversion should be applied otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Encodes the result of another layout output for use with URLs. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets a value indicating whether spaces should be translated to '+' or '%20'. - - A value of true if space should be translated to '+'; otherwise, false. - - - - - Outputs alternative layout when the inner layout produces empty result. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the layout to be rendered when original layout produced empty result. - - - - - - Only outputs the inner layout when the specified condition has been met. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the condition that must be met for the inner layout to be printed. - - - - - - Converts the result of another layout output to be XML-compliant. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to apply XML encoding. - - - - - - A column in the CSV. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The name of the column. - The layout of the column. - - - - Gets or sets the name of the column. - - - - - - Gets or sets the layout of the column. - - - - - - Specifies allowed column delimiters. - - - - - Automatically detect from regional settings. - - - - - Comma (ASCII 44). - - - - - Semicolon (ASCII 59). - - - - - Tab character (ASCII 9). - - - - - Pipe character (ASCII 124). - - - - - Space character (ASCII 32). - - - - - Custom string, specified by the CustomDelimiter. - - - - - A specialized layout that renders CSV-formatted events. - - - - - A specialized layout that supports header and footer. - - - - - Abstract interface that layouts must implement. - - - - - Converts a given text to a . - - Text to be converted. - object represented by the text. - - - - Implicitly converts the specified string to a . - - The layout string. - Instance of . - - - - Implicitly converts the specified string to a . - - The layout string. - The NLog factories to use when resolving layout renderers. - Instance of . - - - - Precalculates the layout for the specified log event and stores the result - in per-log event cache. - - The log event. - - Calling this method enables you to store the log event in a buffer - and/or potentially evaluate it in another thread even though the - layout may contain thread-dependent renderer. - - - - - Renders the event info in layout. - - The event info. - String representing log event. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes the layout. - - - - - Closes the layout. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets a value indicating whether this layout is thread-agnostic (can be rendered on any thread). - - - Layout is thread-agnostic if it has been marked with [ThreadAgnostic] attribute and all its children are - like that as well. - Thread-agnostic layouts only use contents of for its output. - - - - - Gets the logging configuration this target is part of. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets or sets the body layout (can be repeated multiple times). - - - - - - Gets or sets the header layout. - - - - - - Gets or sets the footer layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the array of parameters to be passed. - - - - - - Gets or sets a value indicating whether CVS should include header. - - A value of true if CVS should include header; otherwise, false. - - - - - Gets or sets the column delimiter. - - - - - - Gets or sets the quoting mode. - - - - - - Gets or sets the quote Character. - - - - - - Gets or sets the custom column delimiter value (valid when ColumnDelimiter is set to 'Custom'). - - - - - - Header for CSV layout. - - - - - Initializes a new instance of the class. - - The parent. - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Specifies allowes CSV quoting modes. - - - - - Quote all column. - - - - - Quote nothing. - - - - - Quote only whose values contain the quote symbol or - the separator. - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Layout name. - - - - Parses layout strings. - - - - - A specialized layout that renders Log4j-compatible XML events. - - - This layout is not meant to be used explicitly. Instead you can use ${log4jxmlevent} layout renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets the instance that renders log events. - - - - - Represents a string with embedded placeholders that can render contextual information. - - - This layout is not meant to be used explicitly. Instead you can just use a string containing layout - renderers everywhere the layout is required. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout string to parse. - - - - Initializes a new instance of the class. - - The layout string to parse. - The NLog factories to use when creating references to layout renderers. - - - - Converts a text to a simple layout. - - Text to be converted. - A object. - - - - Escapes the passed text so that it can - be used literally in all places where - layout is normally expected without being - treated as layout. - - The text to be escaped. - The escaped text. - - Escaping is done by replacing all occurences of - '${' with '${literal:text=${}' - - - - - Evaluates the specified text by expadinging all layout renderers. - - The text to be evaluated. - Log event to be used for evaluation. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Evaluates the specified text by expadinging all layout renderers - in new context. - - The text to be evaluated. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Returns a that represents the current object. - - - A that represents the current object. - - - - - Renders the layout for the specified logging event by invoking layout renderers - that make up the event. - - The logging event. - The rendered layout. - - - - Gets or sets the layout text. - - - - - - Gets a collection of objects that make up this layout. - - - - - Represents the logging event. - - - - - Gets the date of the first log event created. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Log level. - Logger name. - Log message including parameter placeholders. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - Exception information. - - - - Creates the null event. - - Null log event. - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - The parameters. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - The exception. - Instance of . - - - - Creates from this by attaching the specified asynchronous continuation. - - The asynchronous continuation. - Instance of with attached continuation. - - - - Returns a string representation of this log event. - - String representation of the log event. - - - - Sets the stack trace for the event info. - - The stack trace. - Index of the first user stack frame within the stack trace. - - - - Gets the unique identifier of log event which is automatically generated - and monotonously increasing. - - - - - Gets or sets the timestamp of the logging event. - - - - - Gets or sets the level of the logging event. - - - - - Gets a value indicating whether stack trace has been set for this event. - - - - - Gets the stack frame of the method that did the logging. - - - - - Gets the number index of the stack frame that represents the user - code (not the NLog code). - - - - - Gets the entire stack trace. - - - - - Gets or sets the exception information. - - - - - Gets or sets the logger name. - - - - - Gets the logger short name. - - - - - Gets or sets the log message including any parameter placeholders. - - - - - Gets or sets the parameter values or null if no parameters have been specified. - - - - - Gets or sets the format provider that was provided while logging or - when no formatProvider was specified. - - - - - Gets the formatted message. - - - - - Gets the dictionary of per-event context properties. - - - - - Gets the dictionary of per-event context properties. - - - - - Creates and manages instances of objects. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The config. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates a logger that discards all log messages. - - Null logger instance. - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The type of the logger to create. The type must inherit from NLog.Logger. - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The type of the logger to create. The type must inherit from NLog.Logger. - The logger reference. Multiple calls to GetLogger with the - same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Occurs when logging changes. - - - - - Occurs when logging gets reloaded. - - - - - Gets the current . - - - - - Gets or sets a value indicating whether exceptions should be thrown. - - A value of true if exceptiosn should be thrown; otherwise, false. - By default exceptions - are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Logger cache key. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Determines if two objects are equal in value. - - Other object to compare to. - True if objects are equal, false otherwise. - - - - Enables logging in implementation. - - - - - Initializes a new instance of the class. - - The factory. - - - - Enables logging. - - - - - Specialized LogFactory that can return instances of custom logger types. - - The type of the logger to be returned. Must inherit from . - - - - Gets the logger. - - The logger name. - An instance of . - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Provides logging interface and utility functions. - - - Auto-generated Logger members for binary compatibility with NLog 1.0. - - - - - Initializes a new instance of the class. - - - - - Gets a value indicating whether logging is enabled for the specified level. - - Log level to be checked. - A value of if logging is enabled for the specified level, otherwise it returns . - - - - Writes the specified diagnostic message. - - Log event. - - - - Writes the specified diagnostic message. - - The name of the type that wraps Logger. - Log event. - - - - Writes the diagnostic message at the specified level using the specified format provider and format parameters. - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the specified level. - - The log level. - Log message. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameter. - - The type of the argument. - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Trace level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Trace level. - - Log message. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Debug level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Debug level. - - Log message. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Info level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Info level. - - Log message. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Warn level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Warn level. - - Log message. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Error level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Error level. - - Log message. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Fatal level. - - Log message. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Runs action. If the action throws, the exception is logged at Error level. Exception is not propagated outside of this method. - - Action to execute. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Result returned by the provided function or fallback value in case of exception. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Fallback value to return in case of exception. Defaults to default value of type T. - Result returned by the provided function or fallback value in case of exception. - - - - Writes the diagnostic message at the specified level. - - The log level. - A to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level. - - A to be written. - - - - Writes the diagnostic message at the Trace level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level. - - A to be written. - - - - Writes the diagnostic message at the Debug level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level. - - A to be written. - - - - Writes the diagnostic message at the Info level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level. - - A to be written. - - - - Writes the diagnostic message at the Warn level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level. - - A to be written. - - - - Writes the diagnostic message at the Error level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level. - - A to be written. - - - - Writes the diagnostic message at the Fatal level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Occurs when logger configuration changes. - - - - - Gets the name of the logger. - - - - - Gets the factory that created this logger. - - - - - Gets a value indicating whether logging is enabled for the Trace level. - - A value of if logging is enabled for the Trace level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Debug level. - - A value of if logging is enabled for the Debug level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Info level. - - A value of if logging is enabled for the Info level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Warn level. - - A value of if logging is enabled for the Warn level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Error level. - - A value of if logging is enabled for the Error level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Fatal level. - - A value of if logging is enabled for the Fatal level, otherwise it returns . - - - - Implementation of logging engine. - - - - - Gets the filter result. - - The filter chain. - The log event. - The result of the filter. - - - - Defines available log levels. - - - - - Trace log level. - - - - - Debug log level. - - - - - Info log level. - - - - - Warn log level. - - - - - Error log level. - - - - - Fatal log level. - - - - - Off log level. - - - - - Initializes a new instance of . - - The log level name. - The log level ordinal number. - - - - Compares two objects - and returns a value indicating whether - the first one is equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal == level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is not equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal != level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than the second one. - - The first level. - The second level. - The value of level1.Ordinal > level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal >= level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than the second one. - - The first level. - The second level. - The value of level1.Ordinal < level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal <= level2.Ordinal. - - - - Gets the that corresponds to the specified ordinal. - - The ordinal. - The instance. For 0 it returns , 1 gives and so on. - - - - Returns the that corresponds to the supplied . - - The texual representation of the log level. - The enumeration value. - - - - Returns a string representation of the log level. - - Log level name. - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - Value of true if the specified is equal to this instance; otherwise, false. - - - The parameter is null. - - - - - Compares the level to the other object. - - - The object object. - - - A value less than zero when this logger's is - less than the other logger's ordinal, 0 when they are equal and - greater than zero when this ordinal is greater than the - other ordinal. - - - - - Gets the name of the log level. - - - - - Gets the ordinal of the log level. - - - - - Creates and manages instances of objects. - - - - - Initializes static members of the LogManager class. - - - - - Prevents a default instance of the LogManager class from being created. - - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The logger class. The class must inherit from . - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Creates a logger that discards all log messages. - - Null logger which discards all log messages. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The logger class. The class must inherit from . - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger. - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Dispose all targets, and shutdown logging. - - - - - Occurs when logging changes. - - - - - Occurs when logging gets reloaded. - - - - - Gets or sets a value indicating whether NLog should throw exceptions. - By default exceptions are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Gets or sets the default culture to use. - - - - - Delegate used to the the culture to use. - - - - - - Returns a log message. Used to defer calculation of - the log message until it's actually needed. - - Log message. - - - - Service contract for Log Receiver client. - - - - - Begins processing of log messages. - - The events. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Service contract for Log Receiver server. - - - - - Processes the log messages. - - The events. - - - - Implementation of which forwards received logs through or a given . - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log factory. - - - - Processes the log messages. - - The events to process. - - - - Processes the log messages. - - The log events. - - - - Internal configuration of Log Receiver Service contracts. - - - - - Wire format for NLog Event. - - - - - Initializes a new instance of the class. - - - - - Converts the to . - - The object this is part of.. - The logger name prefix to prepend in front of the logger name. - Converted . - - - - Gets or sets the client-generated identifier of the event. - - - - - Gets or sets the ordinal of the log level. - - - - - Gets or sets the logger ordinal (index into . - - The logger ordinal. - - - - Gets or sets the time delta (in ticks) between the time of the event and base time. - - - - - Gets or sets the message string index. - - - - - Gets or sets the collection of layout values. - - - - - Gets the collection of indexes into array for each layout value. - - - - - Wire format for NLog event package. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - The logger name prefix to prepend in front of each logger name. - - Sequence of objects. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - - Sequence of objects. - - - - - Gets or sets the name of the client. - - The name of the client. - - - - Gets or sets the base time (UTC ticks) for all events in the package. - - The base time UTC. - - - - Gets or sets the collection of layout names which are shared among all events. - - The layout names. - - - - Gets or sets the collection of logger names. - - The logger names. - - - - Gets or sets the list of events. - - The events. - - - - List of strings annotated for more terse serialization. - - - - - Initializes a new instance of the class. - - - - - Log Receiver Client using WCF. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - The binding. - The remote address. - - - - Opens the client asynchronously. - - - - - Opens the client asynchronously. - - User-specific state. - - - - Closes the client asynchronously. - - - - - Closes the client asynchronously. - - User-specific state. - - - - Processes the log messages asynchronously. - - The events to send. - - - - Processes the log messages asynchronously. - - The events to send. - User-specific state. - - - - Begins processing of log messages. - - The events to send. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Occurs when the log message processing has completed. - - - - - Occurs when Open operation has completed. - - - - - Occurs when Close operation has completed. - - - - - Mapped Diagnostics Context - a thread-local structure that keeps a dictionary - of strings and provides methods to output them in layouts. - Mostly for compatibility with log4net. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Mapped Diagnostics Context - used for log4net compatibility. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Nested Diagnostics Context - for log4net compatibility. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Nested Diagnostics Context - a thread-local structure that keeps a stack - of strings and provides methods to output them in layouts - Mostly for compatibility with log4net. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Resets the stack to the original count during . - - - - - Initializes a new instance of the class. - - The stack. - The previous count. - - - - Reverts the stack to original item count. - - - - - Exception thrown during NLog configuration. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Exception thrown during log event processing. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - TraceListener which routes all messages through NLog. - - - - - Initializes a new instance of the class. - - - - - When overridden in a derived class, writes the specified message to the listener you create in the derived class. - - A message to write. - - - - When overridden in a derived class, writes a message to the listener you create in the derived class, followed by a line terminator. - - A message to write. - - - - When overridden in a derived class, closes the output stream so it no longer receives tracing or debugging output. - - - - - Emits an error message. - - A message to emit. - - - - Emits an error message and a detailed error message. - - A message to emit. - A detailed message to emit. - - - - Flushes the output buffer. - - - - - Writes trace information, a data object and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - The trace data to emit. - - - - Writes trace information, an array of data objects and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - An array of objects to emit as data. - - - - Writes trace and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - - - - Writes trace information, a formatted array of objects and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - A format string that contains zero or more format items, which correspond to objects in the array. - An object array containing zero or more objects to format. - - - - Writes trace information, a message, and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - A message to write. - - - - Writes trace information, a message, a related activity identity and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - A numeric identifier for the event. - A message to write. - A object identifying a related activity. - - - - Gets the custom attributes supported by the trace listener. - - - A string array naming the custom attributes supported by the trace listener, or null if there are no custom attributes. - - - - - Translates the event type to level from . - - Type of the event. - Translated log level. - - - - Process the log event - The log level. - The name of the logger. - The log message. - The log parameters. - The event id. - The event type. - The releated activity id. - - - - - Gets or sets the log factory to use when outputting messages (null - use LogManager). - - - - - Gets or sets the default log level. - - - - - Gets or sets the log which should be always used regardless of source level. - - - - - Gets or sets a value indicating whether flush calls from trace sources should be ignored. - - - - - Gets a value indicating whether the trace listener is thread safe. - - - true if the trace listener is thread safe; otherwise, false. The default is false. - - - - Gets or sets a value indicating whether to use auto logger name detected from the stack trace. - - - - - Specifies the way archive numbering is performed. - - - - - Sequence style numbering. The most recent archive has the highest number. - - - - - Rolling style numbering (the most recent is always #0 then #1, ..., #N. - - - - - Date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. - - - - - Outputs log messages through the ASP Response object. - - Documentation on NLog Wiki - - - - Represents target that supports string formatting using layouts. - - - - - Represents logging target. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Closes the target. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Calls the on each volatile layout - used by this target. - - - The log event. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Writes the log to the target. - - Log event to write. - - - - Writes the array of log events. - - The log events. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. - classes. - - - Logging event to be written out. - - - - - Writes log event to the log target. Must be overridden in inheriting - classes. - - Log event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Merges (copies) the event context properties from any event info object stored in - parameters of the given event info object. - - The event info object to perform the merge to. - - - - Gets or sets the name of the target. - - - - - - Gets the object which can be used to synchronize asynchronous operations that must rely on the . - - - - - Gets the logging configuration this target is part of. - - - - - Gets a value indicating whether the target has been initialized. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the layout used to format log messages. - - - - - - Outputs the rendered logging event through the OutputDebugString() Win32 API. - - The logging event. - - - - Gets or sets a value indicating whether to add <!-- --> comments around all written texts. - - - - - - Sends log messages to the remote instance of Chainsaw application from log4j. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages to the remote instance of NLog Viewer. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages over the network. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- To print the results, use any application that's able to receive messages over - TCP or UDP. NetCat is - a simple but very powerful command-line tool that can be used for that. This image - demonstrates the NetCat tool receiving log messages from Network target. -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will be very slow. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-

- There are two specialized versions of the Network target: Chainsaw - and NLogViewer which write to instances of Chainsaw log4j viewer - or NLogViewer application respectively. -

-
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Closes the target. - - - - - Sends the - rendered logging event over the network optionally concatenating it with a newline character. - - The logging event. - - - - Gets the bytes to be written. - - Log event. - Byte array. - - - - Gets or sets the network address. - - - The network address can be: -
    -
  • tcp://host:port - TCP (auto select IPv4/IPv6) (not supported on Windows Phone 7.0)
  • -
  • tcp4://host:port - force TCP/IPv4 (not supported on Windows Phone 7.0)
  • -
  • tcp6://host:port - force TCP/IPv6 (not supported on Windows Phone 7.0)
  • -
  • udp://host:port - UDP (auto select IPv4/IPv6, not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp4://host:port - force UDP/IPv4 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp6://host:port - force UDP/IPv6 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • http://host:port/pageName - HTTP using POST verb
  • -
  • https://host:port/pageName - HTTPS using POST verb
  • -
- For SOAP-based webservice support over HTTP use WebService target. -
- -
- - - Gets or sets a value indicating whether to keep connection open whenever possible. - - - - - - Gets or sets a value indicating whether to append newline at the end of log message. - - - - - - Gets or sets the maximum message size in bytes. - - - - - - Gets or sets the size of the connection cache (number of connections which are kept alive). - - - - - - Gets or sets the maximum queue size. - - - - - Gets or sets the action that should be taken if the message is larger than - maxMessageSize. - - - - - - Gets or sets the encoding to be used. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include dictionary contents. - - - - - - Gets or sets a value indicating whether to include stack contents. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a named parameter. - - - - - - Gets the layout renderer which produces Log4j-compatible XML events. - - - - - Gets or sets the instance of that is used to format log messages. - - - - - - Initializes a new instance of the class. - - - - - Writes log messages to the console with customizable coloring. - - Documentation on NLog Wiki - - - - Represents target that supports string formatting using layouts. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the text to be rendered. - - - - - - Gets or sets the footer. - - - - - - Gets or sets the header. - - - - - - Gets or sets the layout with header and footer. - - The layout with header and footer. - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified log event to the console highlighting entries - and words based on a set of defined rules. - - Log event. - - - - Gets or sets a value indicating whether the error stream (stderr) should be used instead of the output stream (stdout). - - - - - - Gets or sets a value indicating whether to use default row highlighting rules. - - - The default rules are: - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
ConditionForeground ColorBackground Color
level == LogLevel.FatalRedNoChange
level == LogLevel.ErrorYellowNoChange
level == LogLevel.WarnMagentaNoChange
level == LogLevel.InfoWhiteNoChange
level == LogLevel.DebugGrayNoChange
level == LogLevel.TraceDarkGrayNoChange
-
- -
- - - Gets the row highlighting rules. - - - - - - Gets the word highlighting rules. - - - - - - Color pair (foreground and background). - - - - - Colored console output color. - - - Note that this enumeration is defined to be binary compatible with - .NET 2.0 System.ConsoleColor + some additions - - - - - Black Color (#000000). - - - - - Dark blue Color (#000080). - - - - - Dark green Color (#008000). - - - - - Dark Cyan Color (#008080). - - - - - Dark Red Color (#800000). - - - - - Dark Magenta Color (#800080). - - - - - Dark Yellow Color (#808000). - - - - - Gray Color (#C0C0C0). - - - - - Dark Gray Color (#808080). - - - - - Blue Color (#0000FF). - - - - - Green Color (#00FF00). - - - - - Cyan Color (#00FFFF). - - - - - Red Color (#FF0000). - - - - - Magenta Color (#FF00FF). - - - - - Yellow Color (#FFFF00). - - - - - White Color (#FFFFFF). - - - - - Don't change the color. - - - - - The row-highlighting condition. - - - - - Initializes static members of the ConsoleRowHighlightingRule class. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The condition. - Color of the foreground. - Color of the background. - - - - Checks whether the specified log event matches the condition (if any). - - - Log event. - - - A value of if the condition is not defined or - if it matches, otherwise. - - - - - Gets the default highlighting rule. Doesn't change the color. - - - - - Gets or sets the condition that must be met in order to set the specified foreground and background color. - - - - - - Gets or sets the foreground color. - - - - - - Gets or sets the background color. - - - - - - Writes log messages to the console. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the Console.Out or - Console.Error depending on the value of the Error flag. - - The logging event. - - Note that the Error option is not supported on .NET Compact Framework. - - - - - Gets or sets a value indicating whether to send the log messages to the standard error instead of the standard output. - - - - - - Highlighting rule for Win32 colorful console. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the foreground. - Color of the background. - - - - Gets or sets the regular expression to be matched. You must specify either text or regex. - - - - - - Gets or sets the text to be matched. You must specify either text or regex. - - - - - - Gets or sets a value indicating whether to match whole words only. - - - - - - Gets or sets a value indicating whether to ignore case when comparing texts. - - - - - - Gets the compiled regular expression that matches either Text or Regex property. - - - - - Gets or sets the foreground color. - - - - - - Gets or sets the background color. - - - - - - Information about database command + parameters. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the type of the command. - - The type of the command. - - - - - Gets or sets the connection string to run the command against. If not provided, connection string from the target is used. - - - - - - Gets or sets the command text. - - - - - - Gets or sets a value indicating whether to ignore failures. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a database named or positional parameter. - - - - - - Represents a parameter to a Database target. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the parameter. - The parameter layout. - - - - Gets or sets the database parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Gets or sets the database parameter size. - - - - - - Gets or sets the database parameter precision. - - - - - - Gets or sets the database parameter scale. - - - - - - Writes log messages to the database using an ADO.NET provider. - - Documentation on NLog Wiki - - - The configuration is dependent on the database type, because - there are differnet methods of specifying connection string, SQL - command and command parameters. - - MS SQL Server using System.Data.SqlClient: - - Oracle using System.Data.OracleClient: - - Oracle using System.Data.OleDBClient: - - To set up the log target programmatically use code like this (an equivalent of MSSQL configuration): - - - - - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the database. It creates - a new database command, prepares parameters for it by calculating - layouts and executes the command. - - The logging event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Gets or sets the name of the database provider. - - - - The parameter name should be a provider invariant name as registered in machine.config or app.config. Common values are: - -
    -
  • System.Data.SqlClient - SQL Sever Client
  • -
  • System.Data.SqlServerCe.3.5 - SQL Sever Compact 3.5
  • -
  • System.Data.OracleClient - Oracle Client from Microsoft (deprecated in .NET Framework 4)
  • -
  • Oracle.DataAccess.Client - ODP.NET provider from Oracle
  • -
  • System.Data.SQLite - System.Data.SQLite driver for SQLite
  • -
  • Npgsql - Npgsql driver for PostgreSQL
  • -
  • MySql.Data.MySqlClient - MySQL Connector/Net
  • -
- (Note that provider invariant names are not supported on .NET Compact Framework). - - Alternatively the parameter value can be be a fully qualified name of the provider - connection type (class implementing ) or one of the following tokens: - -
    -
  • sqlserver, mssql, microsoft or msde - SQL Server Data Provider
  • -
  • oledb - OLEDB Data Provider
  • -
  • odbc - ODBC Data Provider
  • -
-
- -
- - - Gets or sets the name of the connection string (as specified in <connectionStrings> configuration section. - - - - - - Gets or sets the connection string. When provided, it overrides the values - specified in DBHost, DBUserName, DBPassword, DBDatabase. - - - - - - Gets or sets the connection string using for installation and uninstallation. If not provided, regular ConnectionString is being used. - - - - - - Gets the installation DDL commands. - - - - - - Gets the uninstallation DDL commands. - - - - - - Gets or sets a value indicating whether to keep the - database connection open between the log events. - - - - - - Gets or sets a value indicating whether to use database transactions. - Some data providers require this. - - - - - - Gets or sets the database host name. If the ConnectionString is not provided - this value will be used to construct the "Server=" part of the - connection string. - - - - - - Gets or sets the database user name. If the ConnectionString is not provided - this value will be used to construct the "User ID=" part of the - connection string. - - - - - - Gets or sets the database password. If the ConnectionString is not provided - this value will be used to construct the "Password=" part of the - connection string. - - - - - - Gets or sets the database name. If the ConnectionString is not provided - this value will be used to construct the "Database=" part of the - connection string. - - - - - - Gets or sets the text of the SQL command to be run on each log level. - - - Typically this is a SQL INSERT statement or a stored procedure call. - It should use the database-specific parameters (marked as @parameter - for SQL server or :parameter for Oracle, other data providers - have their own notation) and not the layout renderers, - because the latter is prone to SQL injection attacks. - The layout renderers should be specified as <parameter /> elements instead. - - - - - - Gets or sets the type of the SQL command to be run on each log level. - - - This specifies how the command text is interpreted, as "Text" (default) or as "StoredProcedure". - When using the value StoredProcedure, the commandText-property would - normally be the name of the stored procedure. TableDirect method is not supported in this context. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a database named or positional parameter. - - - - - - Writes log messages to the attached managed debugger. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the attached debugger. - - The logging event. - - - - Mock target - useful for testing. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Increases the number of messages. - - The logging event. - - - - Gets the number of times this target has been called. - - - - - - Gets the last message rendered by this target. - - - - - - Writes log message to the Event Log. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Initializes the target. - - - - - Writes the specified logging event to the event log. - - The logging event. - - - - Gets or sets the name of the machine on which Event Log service is running. - - - - - - Gets or sets the layout that renders event ID. - - - - - - Gets or sets the layout that renders event Category. - - - - - - Gets or sets the value to be used as the event Source. - - - By default this is the friendly name of the current AppDomain. - - - - - - Gets or sets the name of the Event Log to write to. This can be System, Application or - any user-defined name. - - - - - - Modes of archiving files based on time. - - - - - Don't archive based on time. - - - - - Archive every year. - - - - - Archive every month. - - - - - Archive daily. - - - - - Archive every hour. - - - - - Archive every minute. - - - - - Writes log messages to one or more files. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Removes records of initialized files that have not been - accessed in the last two days. - - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Removes records of initialized files that have not been - accessed after the specified date. - - The cleanup threshold. - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Flushes all pending file operations. - - The asynchronous continuation. - - The timeout parameter is ignored, because file APIs don't provide - the needed functionality. - - - - - Initializes file logging by creating data structures that - enable efficient multi-file logging. - - - - - Closes the file(s) opened for writing. - - - - - Writes the specified logging event to a file specified in the FileName - parameter. - - The logging event. - - - - Writes the specified array of logging events to a file specified in the FileName - parameter. - - An array of objects. - - This function makes use of the fact that the events are batched by sorting - the requests by filename. This optimizes the number of open/close calls - and can help improve performance. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the bytes to be written to the file. - - Log event. - Array of bytes that are ready to be written. - - - - Modifies the specified byte array before it gets sent to a file. - - The byte array. - The modified byte array. The function can do the modification in-place. - - - - Gets or sets the name of the file to write to. - - - This FileName string is a layout which may include instances of layout renderers. - This lets you use a single target to write to multiple files. - - - The following value makes NLog write logging events to files based on the log level in the directory where - the application runs. - ${basedir}/${level}.log - All Debug messages will go to Debug.log, all Info messages will go to Info.log and so on. - You can combine as many of the layout renderers as you want to produce an arbitrary log file name. - - - - - - Gets or sets a value indicating whether to create directories if they don't exist. - - - Setting this to false may improve performance a bit, but you'll receive an error - when attempting to write to a directory that's not present. - - - - - - Gets or sets a value indicating whether to delete old log file on startup. - - - This option works only when the "FileName" parameter denotes a single file. - - - - - - Gets or sets a value indicating whether to replace file contents on each write instead of appending log message at the end. - - - - - - Gets or sets a value indicating whether to keep log file open instead of opening and closing it on each logging event. - - - Setting this property to True helps improve performance. - - - - - - Gets or sets a value indicating whether to enable log file(s) to be deleted. - - - - - - Gets or sets a value specifying the date format to use when archving files. - - - This option works only when the "ArchiveNumbering" parameter is set to Date. - - - - - - Gets or sets the file attributes (Windows only). - - - - - - Gets or sets the line ending mode. - - - - - - Gets or sets a value indicating whether to automatically flush the file buffers after each log message. - - - - - - Gets or sets the number of files to be kept open. Setting this to a higher value may improve performance - in a situation where a single File target is writing to many files - (such as splitting by level or by logger). - - - The files are managed on a LRU (least recently used) basis, which flushes - the files that have not been used for the longest period of time should the - cache become full. As a rule of thumb, you shouldn't set this parameter to - a very high value. A number like 10-15 shouldn't be exceeded, because you'd - be keeping a large number of files open which consumes system resources. - - - - - - Gets or sets the maximum number of seconds that files are kept open. If this number is negative the files are - not automatically closed after a period of inactivity. - - - - - - Gets or sets the log file buffer size in bytes. - - - - - - Gets or sets the file encoding. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. - - - This makes multi-process logging possible. NLog uses a special technique - that lets it keep the files open for writing. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on different network hosts. - - - This effectively prevents files from being kept open. - - - - - - Gets or sets the number of times the write is appended on the file before NLog - discards the log message. - - - - - - Gets or sets the delay in milliseconds to wait before attempting to write to the file again. - - - The actual delay is a random value between 0 and the value specified - in this parameter. On each failed attempt the delay base is doubled - up to times. - - - Assuming that ConcurrentWriteAttemptDelay is 10 the time to wait will be:

- a random value between 0 and 10 milliseconds - 1st attempt
- a random value between 0 and 20 milliseconds - 2nd attempt
- a random value between 0 and 40 milliseconds - 3rd attempt
- a random value between 0 and 80 milliseconds - 4th attempt
- ...

- and so on. - - - - -

- Gets or sets the size in bytes above which log files will be automatically archived. - - - Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. - - -
- - - Gets or sets a value indicating whether to automatically archive log files every time the specified time passes. - - - Files are moved to the archive as part of the write operation if the current period of time changes. For example - if the current hour changes from 10 to 11, the first write that will occur - on or after 11:00 will trigger the archiving. -

- Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. -

-
- -
- - - Gets or sets the name of the file to be used for an archive. - - - It may contain a special placeholder {#####} - that will be replaced with a sequence of numbers depending on - the archiving strategy. The number of hash characters used determines - the number of numerical digits to be used for numbering files. - - - - - - Gets or sets the maximum number of archive files that should be kept. - - - - - - Gets ors set a value indicating whether a managed file stream is forced, instead of used the native implementation. - - - - - Gets or sets the way file archives are numbered. - - - - - - Gets the characters that are appended after each line. - - - - true if the file has been moved successfully - - - - Logs text to Windows.Forms.Control.Text property control of specified Name. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The result is: -

- -

- To set up the log target programmatically similar to above use code like this: -

- , -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Log message to control. - - - The logging event. - - - - - Gets or sets the name of control to which NLog will log write log text. - - - - - - Gets or sets a value indicating whether log text should be appended to the text of the control instead of overwriting it. - - - - - Gets or sets the name of the Form on which the control is located. - - - - - - Gets or sets whether new log entry are added to the start or the end of the control - - - - - Line ending mode. - - - - - Insert platform-dependent end-of-line sequence after each line. - - - - - Insert CR LF sequence (ASCII 13, ASCII 10) after each line. - - - - - Insert CR character (ASCII 13) after each line. - - - - - Insert LF character (ASCII 10) after each line. - - - - - Don't insert any line ending. - - - - - Sends log messages to a NLog Receiver Service (using WCF or Web Services). - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Called when log events are being sent (test hook). - - The events. - The async continuations. - True if events should be sent, false to stop processing them. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Append" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Creating a new instance of WcfLogReceiverClient - - Inheritors can override this method and provide their own - service configuration - binding and endpoint address - - - - - - Gets or sets the endpoint address. - - The endpoint address. - - - - - Gets or sets the name of the endpoint configuration in WCF configuration file. - - The name of the endpoint configuration. - - - - - Gets or sets a value indicating whether to use binary message encoding. - - - - - - Gets or sets the client ID. - - The client ID. - - - - - Gets the list of parameters. - - The parameters. - - - - - Gets or sets a value indicating whether to include per-event properties in the payload sent to the server. - - - - - - Sends log messages by email using SMTP protocol. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- Mail target works best when used with BufferingWrapper target - which lets you send multiple log messages in single mail -

-

- To set up the buffered mail target in the configuration file, - use the following syntax: -

- -

- To set up the buffered mail target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Renders an array logging events. - - Array of logging events. - - - - Gets or sets sender's email address (e.g. joe@domain.com). - - - - - - Gets or sets recipients' email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets CC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets BCC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets a value indicating whether to add new lines between log entries. - - A value of true if new lines should be added; otherwise, false. - - - - - Gets or sets the mail subject. - - - - - - Gets or sets mail message body (repeated for each log message send in one mail). - - Alias for the Layout property. - - - - - Gets or sets encoding to be used for sending e-mail. - - - - - - Gets or sets a value indicating whether to send message as HTML instead of plain text. - - - - - - Gets or sets SMTP Server to be used for sending. - - - - - - Gets or sets SMTP Authentication mode. - - - - - - Gets or sets the username used to connect to SMTP server (used when SmtpAuthentication is set to "basic"). - - - - - - Gets or sets the password used to authenticate against SMTP server (used when SmtpAuthentication is set to "basic"). - - - - - - Gets or sets a value indicating whether SSL (secure sockets layer) should be used when communicating with SMTP server. - - - - - - Gets or sets the port number that SMTP Server is listening on. - - - - - - Gets or sets a value indicating whether the default Settings from System.Net.MailSettings should be used. - - - - - - Gets or sets the priority used for sending mails. - - - - - Gets or sets a value indicating whether NewLine characters in the body should be replaced with
tags. -
- Only happens when is set to true. -
- - - Gets or sets a value indicating the SMTP client timeout. - - - - - Writes log messages to an ArrayList in memory for programmatic retrieval. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Gets the list of logs gathered in the . - - - - - Pops up log messages as message boxes. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- The result is a message box: -

- -

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Displays the message box with the log message and caption specified in the Caption - parameter. - - The logging event. - - - - Displays the message box with the array of rendered logs messages and caption specified in the Caption - parameter. - - The array of logging events. - - - - Gets or sets the message box title. - - - - - - A parameter to MethodCall. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout to use for parameter value. - - - - Initializes a new instance of the class. - - Name of the parameter. - The layout. - - - - Initializes a new instance of the class. - - The name of the parameter. - The layout. - The type of the parameter. - - - - Gets or sets the name of the parameter. - - - - - - Gets or sets the type of the parameter. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Calls the specified static method on each log message and passes contextual parameters to it. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - The base class for all targets which call methods (local or remote). - Manages parameters and type coercion. - - - - - Initializes a new instance of the class. - - - - - Prepares an array of parameters to be passed based on the logging event and calls DoInvoke(). - - - The logging event. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - The continuation. - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Gets the array of parameters to be passed. - - - - - - Initializes the target. - - - - - Calls the specified Method. - - Method parameters. - - - - Gets or sets the class name. - - - - - - Gets or sets the method name. The method must be public and static. - - - - - - Action that should be taken if the message overflows. - - - - - Report an error. - - - - - Split the message into smaller pieces. - - - - - Discard the entire message. - - - - - Represents a parameter to a NLogViewer target. - - - - - Initializes a new instance of the class. - - - - - Gets or sets viewer parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Discards log messages. Used mainly for debugging and benchmarking. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Does nothing. Optionally it calculates the layout text but - discards the results. - - The logging event. - - - - Gets or sets a value indicating whether to perform layout calculation. - - - - - - Outputs log messages through the OutputDebugString() Win32 API. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Outputs the rendered logging event through the OutputDebugString() Win32 API. - - The logging event. - - - - Increments specified performance counter on each write. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
- - TODO: - 1. Unable to create a category allowing multiple counter instances (.Net 2.0 API only, probably) - 2. Is there any way of adding new counters without deleting the whole category? - 3. There should be some mechanism of resetting the counter (e.g every day starts from 0), or auto-switching to - another counter instance (with dynamic creation of new instance). This could be done with layouts. - -
- - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Increments the configured performance counter. - - Log event. - - - - Closes the target and releases any unmanaged resources. - - - - - Ensures that the performance counter has been initialized. - - True if the performance counter is operational, false otherwise. - - - - Gets or sets a value indicating whether performance counter should be automatically created. - - - - - - Gets or sets the name of the performance counter category. - - - - - - Gets or sets the name of the performance counter. - - - - - - Gets or sets the performance counter instance name. - - - - - - Gets or sets the counter help text. - - - - - - Gets or sets the performance counter type. - - - - - - The row-coloring condition. - - - - - Initializes static members of the RichTextBoxRowColoringRule class. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The condition. - Color of the foregroung text. - Color of the background text. - The font style. - - - - Initializes a new instance of the class. - - The condition. - Color of the text. - Color of the background. - - - - Checks whether the specified log event matches the condition (if any). - - - Log event. - - - A value of if the condition is not defined or - if it matches, otherwise. - - - - - Gets the default highlighting rule. Doesn't change the color. - - - - - - Gets or sets the condition that must be met in order to set the specified font color. - - - - - - Gets or sets the font color. - - - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - Gets or sets the background color. - - - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - Gets or sets the font style of matched text. - - - Possible values are the same as in FontStyle enum in System.Drawing - - - - - - Log text a Rich Text Box control in an existing or new form. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The result is: -

- To set up the target with coloring rules in the configuration file, - use the following syntax: -

- - - -

- The result is: -

- To set up the log target programmatically similar to above use code like this: -

- - , - - - for RowColoring, - - - for WordColoring -
-
- - - Initializes static members of the RichTextBoxTarget class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Log message to RichTextBox. - - The logging event. - - - - Gets the default set of row coloring rules which applies when is set to true. - - - - - Gets or sets the Name of RichTextBox to which Nlog will write. - - - - - - Gets or sets the name of the Form on which the control is located. - If there is no open form of a specified name than NLog will create a new one. - - - - - - Gets or sets a value indicating whether to use default coloring rules. - - - - - - Gets the row coloring rules. - - - - - - Gets the word highlighting rules. - - - - - - Gets or sets a value indicating whether the created window will be a tool window. - - - This parameter is ignored when logging to existing form control. - Tool windows have thin border, and do not show up in the task bar. - - - - - - Gets or sets a value indicating whether the created form will be initially minimized. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets the initial width of the form with rich text box. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets the initial height of the form with rich text box. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets a value indicating whether scroll bar will be moved automatically to show most recent log entries. - - - - - - Gets or sets the maximum number of lines the rich text box will store (or 0 to disable this feature). - - - After exceeding the maximum number, first line will be deleted. - - - - - - Gets or sets the form to log to. - - - - - Gets or sets the rich text box to log to. - - - - - Highlighting rule for Win32 colorful console. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the text. - Color of the background. - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the text. - Color of the background. - The font style. - - - - Gets or sets the regular expression to be matched. You must specify either text or regex. - - - - - - Gets or sets the text to be matched. You must specify either text or regex. - - - - - - Gets or sets a value indicating whether to match whole words only. - - - - - - Gets or sets a value indicating whether to ignore case when comparing texts. - - - - - - Gets or sets the font style of matched text. - Possible values are the same as in FontStyle enum in System.Drawing. - - - - - - Gets the compiled regular expression that matches either Text or Regex property. - - - - - Gets or sets the font color. - Names are identical with KnownColor enum extended with Empty value which means that font color won't be changed. - - - - - - Gets or sets the background color. - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - SMTP authentication modes. - - - - - No authentication. - - - - - Basic - username and password. - - - - - NTLM Authentication. - - - - - Marks class as a logging target and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the target. - - - - Gets or sets a value indicating whether to the target is a wrapper target (used to generate the target summary documentation page). - - - - - Gets or sets a value indicating whether to the target is a compound target (used to generate the target summary documentation page). - - - - - Sends log messages through System.Diagnostics.Trace. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Writes the specified logging event to the facility. - If the log level is greater than or equal to it uses the - method, otherwise it uses - method. - - The logging event. - - - - Web service protocol. - - - - - Use SOAP 1.1 Protocol. - - - - - Use SOAP 1.2 Protocol. - - - - - Use HTTP POST Protocol. - - - - - Use HTTP GET Protocol. - - - - - Calls the specified web service on each log message. - - Documentation on NLog Wiki - - The web service must implement a method that accepts a number of string parameters. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

The example web service that works with this example is shown below

- -
-
- - - Initializes a new instance of the class. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Invokes the web service method. - - Parameters to be passed. - The continuation. - - - - Gets or sets the web service URL. - - - - - - Gets or sets the Web service method name. - - - - - - Gets or sets the Web service namespace. - - - - - - Gets or sets the protocol to be used when calling web service. - - - - - - Gets or sets the encoding. - - - - - - Win32 file attributes. - - - For more information see http://msdn.microsoft.com/library/default.asp?url=/library/en-us/fileio/fs/createfile.asp. - - - - - Read-only file. - - - - - Hidden file. - - - - - System file. - - - - - File should be archived. - - - - - Device file. - - - - - Normal file. - - - - - File is temporary (should be kept in cache and not - written to disk if possible). - - - - - Sparse file. - - - - - Reparse point. - - - - - Compress file contents. - - - - - File should not be indexed by the content indexing service. - - - - - Encrypted file. - - - - - The system writes through any intermediate cache and goes directly to disk. - - - - - The system opens a file with no system caching. - - - - - Delete file after it is closed. - - - - - A file is accessed according to POSIX rules. - - - - - Asynchronous request queue. - - - - - Initializes a new instance of the AsyncRequestQueue class. - - Request limit. - The overflow action. - - - - Enqueues another item. If the queue is overflown the appropriate - action is taken as specified by . - - The log event info. - - - - Dequeues a maximum of count items from the queue - and adds returns the list containing them. - - Maximum number of items to be dequeued. - The array of log events. - - - - Clears the queue. - - - - - Gets or sets the request limit. - - - - - Gets or sets the action to be taken when there's no more room in - the queue and another request is enqueued. - - - - - Gets the number of requests currently in the queue. - - - - - Provides asynchronous, buffered execution of target writes. - - Documentation on NLog Wiki - -

- Asynchronous target wrapper allows the logger code to execute more quickly, by queueing - messages and processing them in a separate thread. You should wrap targets - that spend a non-trivial amount of time in their Write() method with asynchronous - target to speed up logging. -

-

- Because asynchronous logging is quite a common scenario, NLog supports a - shorthand notation for wrapping all targets with AsyncWrapper. Just add async="true" to - the <targets/> element in the configuration file. -

- - - ... your targets go here ... - - ]]> -
- -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Base class for targets wrap other (single) targets. - - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Gets or sets the target that is wrapped by this target. - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Maximum number of requests in the queue. - The action to be taken when the queue overflows. - - - - Waits for the lazy writer thread to finish writing messages. - - The asynchronous continuation. - - - - Initializes the target by starting the lazy writer timer. - - - - - Shuts down the lazy writer timer. - - - - - Starts the lazy writer thread which periodically writes - queued log messages. - - - - - Starts the lazy writer thread. - - - - - Adds the log event to asynchronous queue to be processed by - the lazy writer thread. - - The log event. - - The is called - to ensure that the log event can be processed in another thread. - - - - - Gets or sets the number of log events that should be processed in a batch - by the lazy writer thread. - - - - - - Gets or sets the time in milliseconds to sleep between batches. - - - - - - Gets or sets the action to be taken when the lazy writer thread request queue count - exceeds the set limit. - - - - - - Gets or sets the limit on the number of requests in the lazy writer thread request queue. - - - - - - Gets the queue of lazy writer thread requests. - - - - - The action to be taken when the queue overflows. - - - - - Grow the queue. - - - - - Discard the overflowing item. - - - - - Block until there's more room in the queue. - - - - - Causes a flush after each write on a wrapped target. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Forwards the call to the .Write() - and calls on it. - - Logging event to be written out. - - - - A target that buffers log events and sends them in batches to the wrapped target. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - The flush timeout. - - - - Flushes pending events in the buffer (if any). - - The asynchronous continuation. - - - - Initializes the target. - - - - - Closes the target by flushing pending events in the buffer (if any). - - - - - Adds the specified log event to the buffer and flushes - the buffer in case the buffer gets full. - - The log event. - - - - Gets or sets the number of log events to be buffered. - - - - - - Gets or sets the timeout (in milliseconds) after which the contents of buffer will be flushed - if there's no write in the specified period of time. Use -1 to disable timed flushes. - - - - - - Gets or sets a value indicating whether to use sliding timeout. - - - This value determines how the inactivity period is determined. If sliding timeout is enabled, - the inactivity timer is reset after each write, if it is disabled - inactivity timer will - count from the first event written to the buffer. - - - - - - A base class for targets which wrap other (multiple) targets - and provide various forms of target routing. - - - - - Initializes a new instance of the class. - - The targets. - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Writes logging event to the log target. - - Logging event to be written out. - - - - Flush any pending log messages for all wrapped targets. - - The asynchronous continuation. - - - - Gets the collection of targets managed by this compound target. - - - - - Provides fallback-on-error. - - Documentation on NLog Wiki - -

This example causes the messages to be written to server1, - and if it fails, messages go to server2.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to the sub-targets until one of them succeeds. - - The log event. - - The method remembers the last-known-successful target - and starts the iteration from it. - If is set, the method - resets the target to the first target - stored in . - - - - - Gets or sets a value indicating whether to return to the first target after any successful write. - - - - - - Filtering rule for . - - - - - Initializes a new instance of the FilteringRule class. - - - - - Initializes a new instance of the FilteringRule class. - - Condition to be tested against all events. - Filter to apply to all log events when the first condition matches any of them. - - - - Gets or sets the condition to be tested. - - - - - - Gets or sets the resulting filter to be applied when the condition matches. - - - - - - Filters log entries based on a condition. - - Documentation on NLog Wiki - -

This example causes the messages not contains the string '1' to be ignored.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The condition. - - - - Checks the condition against the passed log event. - If the condition is met, the log event is forwarded to - the wrapped target. - - Log event. - - - - Gets or sets the condition expression. Log events who meet this condition will be forwarded - to the wrapped target. - - - - - - Impersonates another user for the duration of the write. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes the impersonation context. - - - - - Closes the impersonation context. - - - - - Changes the security context, forwards the call to the .Write() - and switches the context back to original. - - The log event. - - - - Changes the security context, forwards the call to the .Write() - and switches the context back to original. - - Log events. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Gets or sets username to change context to. - - - - - - Gets or sets the user account password. - - - - - - Gets or sets Windows domain name to change context to. - - - - - - Gets or sets the Logon Type. - - - - - - Gets or sets the type of the logon provider. - - - - - - Gets or sets the required impersonation level. - - - - - - Gets or sets a value indicating whether to revert to the credentials of the process instead of impersonating another user. - - - - - - Helper class which reverts the given - to its original value as part of . - - - - - Initializes a new instance of the class. - - The windows impersonation context. - - - - Reverts the impersonation context. - - - - - Logon provider. - - - - - Use the standard logon provider for the system. - - - The default security provider is negotiate, unless you pass NULL for the domain name and the user name - is not in UPN format. In this case, the default provider is NTLM. - NOTE: Windows 2000/NT: The default security provider is NTLM. - - - - - Filters buffered log entries based on a set of conditions that are evaluated on a group of events. - - Documentation on NLog Wiki - - PostFilteringWrapper must be used with some type of buffering target or wrapper, such as - AsyncTargetWrapper, BufferingWrapper or ASPNetBufferingWrapper. - - -

- This example works like this. If there are no Warn,Error or Fatal messages in the buffer - only Info messages are written to the file, but if there are any warnings or errors, - the output includes detailed trace (levels >= Debug). You can plug in a different type - of buffering wrapper (such as ASPNetBufferingWrapper) to achieve different - functionality. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Evaluates all filtering rules to find the first one that matches. - The matching rule determines the filtering condition to be applied - to all items in a buffer. If no condition matches, default filter - is applied to the array of log events. - - Array of log events to be post-filtered. - - - - Gets or sets the default filter to be applied when no specific rule matches. - - - - - - Gets the collection of filtering rules. The rules are processed top-down - and the first rule that matches determines the filtering condition to - be applied to log events. - - - - - - Sends log messages to a randomly selected target. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt - chosen randomly on a per-message basis. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to one of the sub-targets. - The sub-target is randomly chosen. - - The log event. - - - - Repeats each log event the specified number of times. - - Documentation on NLog Wiki - -

This example causes each log message to be repeated 3 times.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The repeat count. - - - - Forwards the log message to the by calling the method times. - - The log event. - - - - Gets or sets the number of times to repeat each log message. - - - - - - Retries in case of write error. - - Documentation on NLog Wiki - -

This example causes each write attempt to be repeated 3 times, - sleeping 1 second between attempts if first one fails.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The retry count. - The retry delay milliseconds. - - - - Writes the specified log event to the wrapped target, retrying and pausing in case of an error. - - The log event. - - - - Gets or sets the number of retries that should be attempted on the wrapped target in case of a failure. - - - - - - Gets or sets the time to wait between retries in milliseconds. - - - - - - Distributes log events to targets in a round-robin fashion. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt. - Each odd message is written to file2.txt, each even message goes to file1.txt. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the write to one of the targets from - the collection. - - The log event. - - The writes are routed in a round-robin fashion. - The first log event goes to the first target, the second - one goes to the second target and so on looping to the - first target when there are no more targets available. - In general request N goes to Targets[N % Targets.Count]. - - - - - Impersonation level. - - - - - Anonymous Level. - - - - - Identification Level. - - - - - Impersonation Level. - - - - - Delegation Level. - - - - - Logon type. - - - - - Interactive Logon. - - - This logon type is intended for users who will be interactively using the computer, such as a user being logged on - by a terminal server, remote shell, or similar process. - This logon type has the additional expense of caching logon information for disconnected operations; - therefore, it is inappropriate for some client/server applications, - such as a mail server. - - - - - Network Logon. - - - This logon type is intended for high performance servers to authenticate plaintext passwords. - The LogonUser function does not cache credentials for this logon type. - - - - - Batch Logon. - - - This logon type is intended for batch servers, where processes may be executing on behalf of a user without - their direct intervention. This type is also for higher performance servers that process many plaintext - authentication attempts at a time, such as mail or Web servers. - The LogonUser function does not cache credentials for this logon type. - - - - - Logon as a Service. - - - Indicates a service-type logon. The account provided must have the service privilege enabled. - - - - - Network Clear Text Logon. - - - This logon type preserves the name and password in the authentication package, which allows the server to make - connections to other network servers while impersonating the client. A server can accept plaintext credentials - from a client, call LogonUser, verify that the user can access the system across the network, and still - communicate with other servers. - NOTE: Windows NT: This value is not supported. - - - - - New Network Credentials. - - - This logon type allows the caller to clone its current token and specify new credentials for outbound connections. - The new logon session has the same local identifier but uses different credentials for other network connections. - NOTE: This logon type is supported only by the LOGON32_PROVIDER_WINNT50 logon provider. - NOTE: Windows NT: This value is not supported. - - - - - Writes log events to all targets. - - Documentation on NLog Wiki - -

This example causes the messages to be written to both file1.txt or file2.txt -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the specified log event to all sub-targets. - - The log event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Current local time retrieved directly from DateTime.Now. - - - - - Defines source of current time. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets current time. - - - - - Gets or sets current global time source used in all log events. - - - Default time source is . - - - - - Gets current local time directly from DateTime.Now. - - - - - Current UTC time retrieved directly from DateTime.UtcNow. - - - - - Gets current UTC time directly from DateTime.UtcNow. - - - - - Fast time source that updates current time only once per tick (15.6 milliseconds). - - - - - Gets raw uncached time from derived time source. - - - - - Gets current time cached for one system tick (15.6 milliseconds). - - - - - Fast local time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached local time directly from DateTime.Now. - - - - - Fast UTC time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached UTC time directly from DateTime.UtcNow. - - - - - Marks class as a time source and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the time source. - -
-
diff --git a/packages/NLog.3.1.0.0/lib/net45/NLog.dll b/packages/NLog.3.1.0.0/lib/net45/NLog.dll deleted file mode 100644 index 86e374a..0000000 Binary files a/packages/NLog.3.1.0.0/lib/net45/NLog.dll and /dev/null differ diff --git a/packages/NLog.3.1.0.0/lib/net45/NLog.xml b/packages/NLog.3.1.0.0/lib/net45/NLog.xml deleted file mode 100644 index 17c3740..0000000 --- a/packages/NLog.3.1.0.0/lib/net45/NLog.xml +++ /dev/null @@ -1,15022 +0,0 @@ - - - - NLog - - - - - Indicates that the value of the marked element could be null sometimes, - so the check for null is necessary before its usage - - - [CanBeNull] public object Test() { return null; } - public void UseTest() { - var p = Test(); - var s = p.ToString(); // Warning: Possible 'System.NullReferenceException' - } - - - - - Indicates that the value of the marked element could never be null - - - [NotNull] public object Foo() { - return null; // Warning: Possible 'null' assignment - } - - - - - Indicates that the marked method builds string by format pattern and (optional) arguments. - Parameter, which contains format string, should be given in constructor. The format string - should be in -like form - - - [StringFormatMethod("message")] - public void ShowError(string message, params object[] args) { /* do something */ } - public void Foo() { - ShowError("Failed: {0}"); // Warning: Non-existing argument in format string - } - - - - - Specifies which parameter of an annotated method should be treated as format-string - - - - - Indicates that the function argument should be string literal and match one - of the parameters of the caller function. For example, ReSharper annotates - the parameter of - - - public void Foo(string param) { - if (param == null) - throw new ArgumentNullException("par"); // Warning: Cannot resolve symbol - } - - - - - Indicates that the method is contained in a type that implements - interface - and this method is used to notify that some property value changed - - - The method should be non-static and conform to one of the supported signatures: - - NotifyChanged(string) - NotifyChanged(params string[]) - NotifyChanged{T}(Expression{Func{T}}) - NotifyChanged{T,U}(Expression{Func{T,U}}) - SetProperty{T}(ref T, T, string) - - - - internal class Foo : INotifyPropertyChanged { - public event PropertyChangedEventHandler PropertyChanged; - [NotifyPropertyChangedInvocator] - protected virtual void NotifyChanged(string propertyName) { ... } - - private string _name; - public string Name { - get { return _name; } - set { _name = value; NotifyChanged("LastName"); /* Warning */ } - } - } - - Examples of generated notifications: - - NotifyChanged("Property") - NotifyChanged(() => Property) - NotifyChanged((VM x) => x.Property) - SetProperty(ref myField, value, "Property") - - - - - - Describes dependency between method input and output - - -

Function Definition Table syntax:

- - FDT ::= FDTRow [;FDTRow]* - FDTRow ::= Input => Output | Output <= Input - Input ::= ParameterName: Value [, Input]* - Output ::= [ParameterName: Value]* {halt|stop|void|nothing|Value} - Value ::= true | false | null | notnull | canbenull - - If method has single input parameter, it's name could be omitted.
- Using halt (or void/nothing, which is the same) - for method output means that the methos doesn't return normally.
- canbenull annotation is only applicable for output parameters.
- You can use multiple [ContractAnnotation] for each FDT row, - or use single attribute with rows separated by semicolon.
-
- - - [ContractAnnotation("=> halt")] - public void TerminationMethod() - - - [ContractAnnotation("halt <= condition: false")] - public void Assert(bool condition, string text) // regular assertion method - - - [ContractAnnotation("s:null => true")] - public bool IsNullOrEmpty(string s) // string.IsNullOrEmpty() - - - // A method that returns null if the parameter is null, and not null if the parameter is not null - [ContractAnnotation("null => null; notnull => notnull")] - public object Transform(object data) - - - [ContractAnnotation("s:null=>false; =>true,result:notnull; =>false, result:null")] - public bool TryParse(string s, out Person result) - - -
- - - Indicates that marked element should be localized or not - - - [LocalizationRequiredAttribute(true)] - internal class Foo { - private string str = "my string"; // Warning: Localizable string - } - - - - - Indicates that the value of the marked type (or its derivatives) - cannot be compared using '==' or '!=' operators and Equals() - should be used instead. However, using '==' or '!=' for comparison - with null is always permitted. - - - [CannotApplyEqualityOperator] - class NoEquality { } - class UsesNoEquality { - public void Test() { - var ca1 = new NoEquality(); - var ca2 = new NoEquality(); - if (ca1 != null) { // OK - bool condition = ca1 == ca2; // Warning - } - } - } - - - - - When applied to a target attribute, specifies a requirement for any type marked - with the target attribute to implement or inherit specific type or types. - - - [BaseTypeRequired(typeof(IComponent)] // Specify requirement - internal class ComponentAttribute : Attribute { } - [Component] // ComponentAttribute requires implementing IComponent interface - internal class MyComponent : IComponent { } - - - - - Indicates that the marked symbol is used implicitly - (e.g. via reflection, in external library), so this symbol - will not be marked as unused (as well as by other usage inspections) - - - - - Should be used on attributes and causes ReSharper - to not mark symbols marked with such attributes as unused - (as well as by other usage inspections) - - - - Only entity marked with attribute considered used - - - Indicates implicit assignment to a member - - - - Indicates implicit instantiation of a type with fixed constructor signature. - That means any unused constructor parameters won't be reported as such. - - - - Indicates implicit instantiation of a type - - - - Specify what is considered used implicitly - when marked with - or - - - - Members of entity marked with attribute are considered used - - - Entity marked with attribute and all its members considered used - - - - This attribute is intended to mark publicly available API - which should not be removed and so is treated as used - - - - - Tells code analysis engine if the parameter is completely handled - when the invoked method is on stack. If the parameter is a delegate, - indicates that delegate is executed while the method is executed. - If the parameter is an enumerable, indicates that it is enumerated - while the method is executed - - - - - Indicates that a method does not make any observable state changes. - The same as System.Diagnostics.Contracts.PureAttribute - - - [Pure] private int Multiply(int x, int y) { return x * y; } - public void Foo() { - const int a = 2, b = 2; - Multiply(a, b); // Waring: Return value of pure method is not used - } - - - - - Indicates that a parameter is a path to a file or a folder - within a web project. Path can be relative or absolute, - starting from web root (~) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC action. If applied to a method, the MVC action name is calculated - implicitly from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC area. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC controller. If applied to a method, - the MVC controller name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC Master. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC model type. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, Object) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC partial view. If applied to a method, - the MVC partial view name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.RenderPartialExtensions.RenderPartial(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Allows disabling all inspections - for MVC views within a class or a method. - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC display template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.DisplayExtensions.DisplayForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC editor template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.EditorExtensions.EditorForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC template. - Use this attribute for custom wrappers similar to - System.ComponentModel.DataAnnotations.UIHintAttribute(System.String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC view. If applied to a method, the MVC view name is calculated implicitly - from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(Object) - - - - - ASP.NET MVC attribute. When applied to a parameter of an attribute, - indicates that this parameter is an MVC action name - - - [ActionName("Foo")] - public ActionResult Login(string returnUrl) { - ViewBag.ReturnUrl = Url.Action("Foo"); // OK - return RedirectToAction("Bar"); // Error: Cannot resolve action - } - - - - - Razor attribute. Indicates that a parameter or a method is a Razor section. - Use this attribute for custom wrappers similar to - System.Web.WebPages.WebPageBase.RenderSection(String) - - - - - Asynchronous continuation delegate - function invoked at the end of asynchronous - processing. - - Exception during asynchronous processing or null if no exception - was thrown. - - - - Helpers for asynchronous operations. - - - - - Iterates over all items in the given collection and runs the specified action - in sequence (each action executes only after the preceding one has completed without an error). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Repeats the specified asynchronous action multiple times and invokes asynchronous continuation at the end. - - The repeat count. - The asynchronous continuation to invoke at the end. - The action to invoke. - - - - Modifies the continuation by pre-pending given action to execute just before it. - - The async continuation. - The action to pre-pend. - Continuation which will execute the given action before forwarding to the actual continuation. - - - - Attaches a timeout to a continuation which will invoke the continuation when the specified - timeout has elapsed. - - The asynchronous continuation. - The timeout. - Wrapped continuation. - - - - Iterates over all items in the given collection and runs the specified action - in parallel (each action executes on a thread from thread pool). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Runs the specified asynchronous action synchronously (blocks until the continuation has - been invoked). - - The action. - - Using this method is not recommended because it will block the calling thread. - - - - - Wraps the continuation with a guard which will only make sure that the continuation function - is invoked only once. - - The asynchronous continuation. - Wrapped asynchronous continuation. - - - - Gets the combined exception from all exceptions in the list. - - The exceptions. - Combined exception or null if no exception was thrown. - - - - Asynchronous action. - - Continuation to be invoked at the end of action. - - - - Asynchronous action with one argument. - - Type of the argument. - Argument to the action. - Continuation to be invoked at the end of action. - - - - Represents the logging event with asynchronous continuation. - - - - - Initializes a new instance of the struct. - - The log event. - The continuation. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - A value of true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the log event. - - - - - Gets the continuation. - - - - - NLog internal logger. - - - - - Initializes static members of the InternalLogger class. - - - - - Logs the specified message at the specified level. - - Log level. - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the specified level. - - Log level. - Log message. - - - - Logs the specified message at the Trace level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Trace level. - - Log message. - - - - Logs the specified message at the Debug level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Debug level. - - Log message. - - - - Logs the specified message at the Info level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Info level. - - Log message. - - - - Logs the specified message at the Warn level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Warn level. - - Log message. - - - - Logs the specified message at the Error level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Error level. - - Log message. - - - - Logs the specified message at the Fatal level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Fatal level. - - Log message. - - - - Gets or sets the internal log level. - - - - - Gets or sets a value indicating whether internal messages should be written to the console output stream. - - - - - Gets or sets a value indicating whether internal messages should be written to the console error stream. - - - - - Gets or sets the name of the internal log file. - - A value of value disables internal logging to a file. - - - - Gets or sets the text writer that will receive internal logs. - - - - - Gets or sets a value indicating whether timestamp should be included in internal log output. - - - - - Gets a value indicating whether internal log includes Trace messages. - - - - - Gets a value indicating whether internal log includes Debug messages. - - - - - Gets a value indicating whether internal log includes Info messages. - - - - - Gets a value indicating whether internal log includes Warn messages. - - - - - Gets a value indicating whether internal log includes Error messages. - - - - - Gets a value indicating whether internal log includes Fatal messages. - - - - - A cyclic buffer of object. - - - - - Initializes a new instance of the class. - - Buffer size. - Whether buffer should grow as it becomes full. - The maximum number of items that the buffer can grow to. - - - - Adds the specified log event to the buffer. - - Log event. - The number of items in the buffer. - - - - Gets the array of events accumulated in the buffer and clears the buffer as one atomic operation. - - Events in the buffer. - - - - Gets the number of items in the array. - - - - - Condition and expression. - - - - - Base class for representing nodes in condition expression trees. - - - - - Converts condition text to a condition expression tree. - - Condition text to be converted. - Condition expression tree. - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Initializes a new instance of the class. - - Left hand side of the AND expression. - Right hand side of the AND expression. - - - - Returns a string representation of this expression. - - A concatenated '(Left) and (Right)' string. - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the conjunction operator. - - - - Gets the left hand side of the AND expression. - - - - - Gets the right hand side of the AND expression. - - - - - Exception during evaluation of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Condition layout expression (represented by a string literal - with embedded ${}). - - - - - Initializes a new instance of the class. - - The layout. - - - - Returns a string representation of this expression. - - String literal in single quotes. - - - - Evaluates the expression by calculating the value - of the layout in the specified evaluation context. - - Evaluation context. - The value of the layout. - - - - Gets the layout. - - The layout. - - - - Condition level expression (represented by the level keyword). - - - - - Returns a string representation of the expression. - - The 'level' string. - - - - Evaluates to the current log level. - - Evaluation context. Ignored. - The object representing current log level. - - - - Condition literal expression (numeric, LogLevel.XXX, true or false). - - - - - Initializes a new instance of the class. - - Literal value. - - - - Returns a string representation of the expression. - - The literal value. - - - - Evaluates the expression. - - Evaluation context. - The literal value as passed in the constructor. - - - - Gets the literal value. - - The literal value. - - - - Condition logger name expression (represented by the logger keyword). - - - - - Returns a string representation of this expression. - - A logger string. - - - - Evaluates to the logger name. - - Evaluation context. - The logger name. - - - - Condition message expression (represented by the message keyword). - - - - - Returns a string representation of this expression. - - The 'message' string. - - - - Evaluates to the logger message. - - Evaluation context. - The logger message. - - - - Marks class as a log event Condition and assigns a name to it. - - - - - Attaches a simple name to an item (such as , - , , etc.). - - - - - Initializes a new instance of the class. - - The name of the item. - - - - Gets the name of the item. - - The name of the item. - - - - Initializes a new instance of the class. - - Condition method name. - - - - Condition method invocation expression (represented by method(p1,p2,p3) syntax). - - - - - Initializes a new instance of the class. - - Name of the condition method. - of the condition method. - The method parameters. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the method info. - - - - - Gets the method parameters. - - The method parameters. - - - - A bunch of utility methods (mostly predicates) which can be used in - condition expressions. Parially inspired by XPath 1.0. - - - - - Compares two values for equality. - - The first value. - The second value. - true when two objects are equal, false otherwise. - - - - Compares two strings for equality. - - The first string. - The second string. - Optional. If true, case is ignored; if false (default), case is significant. - true when two strings are equal, false otherwise. - - - - Gets or sets a value indicating whether the second string is a substring of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a substring of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a prefix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a suffix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Returns the length of a string. - - A string whose lengths is to be evaluated. - The length of the string. - - - - Marks the class as containing condition methods. - - - - - Condition not expression. - - - - - Initializes a new instance of the class. - - The expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the expression to be negated. - - The expression. - - - - Condition or expression. - - - - - Initializes a new instance of the class. - - Left hand side of the OR expression. - Right hand side of the OR expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the alternative operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Exception during parsing of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Condition parser. Turns a string representation of condition expression - into an expression tree. - - - - - Initializes a new instance of the class. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - Instance of used to resolve references to condition methods and layout renderers. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - - Condition relational (==, !=, <, <=, - > or >=) expression. - - - - - Initializes a new instance of the class. - - The left expression. - The right expression. - The relational operator. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Compares the specified values using specified relational operator. - - The first value. - The second value. - The relational operator. - Result of the given relational operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Gets the relational operator. - - The operator. - - - - Relational operators used in conditions. - - - - - Equality (==). - - - - - Inequality (!=). - - - - - Less than (<). - - - - - Greater than (>). - - - - - Less than or equal (<=). - - - - - Greater than or equal (>=). - - - - - Hand-written tokenizer for conditions. - - - - - Initializes a new instance of the class. - - The string reader. - - - - Asserts current token type and advances to the next token. - - Expected token type. - If token type doesn't match, an exception is thrown. - - - - Asserts that current token is a keyword and returns its value and advances to the next token. - - Keyword value. - - - - Gets or sets a value indicating whether current keyword is equal to the specified value. - - The keyword. - - A value of true if current keyword is equal to the specified value; otherwise, false. - - - - - Gets or sets a value indicating whether the tokenizer has reached the end of the token stream. - - - A value of true if the tokenizer has reached the end of the token stream; otherwise, false. - - - - - Gets or sets a value indicating whether current token is a number. - - - A value of true if current token is a number; otherwise, false. - - - - - Gets or sets a value indicating whether the specified token is of specified type. - - The token type. - - A value of true if current token is of specified type; otherwise, false. - - - - - Gets the next token and sets and properties. - - - - - Gets the token position. - - The token position. - - - - Gets the type of the token. - - The type of the token. - - - - Gets the token value. - - The token value. - - - - Gets the value of a string token. - - The string token value. - - - - Mapping between characters and token types for punctuations. - - - - - Initializes a new instance of the CharToTokenType struct. - - The character. - Type of the token. - - - - Token types for condition expressions. - - - - - Marks the class or a member as advanced. Advanced classes and members are hidden by - default in generated documentation. - - - - - Initializes a new instance of the class. - - - - - Identifies that the output of layout or layout render does not change for the lifetime of the current appdomain. - - - - - Used to mark configurable parameters which are arrays. - Specifies the mapping between XML elements and .NET types. - - - - - Initializes a new instance of the class. - - The type of the array item. - The XML element name that represents the item. - - - - Gets the .NET type of the array item. - - - - - Gets the XML element name. - - - - - NLog configuration section handler class for configuring NLog from App.config. - - - - - Creates a configuration section handler. - - Parent object. - Configuration context object. - Section XML node. - The created section handler object. - - - - Constructs a new instance the configuration item (target, layout, layout renderer, etc.) given its type. - - Type of the item. - Created object of the specified type. - - - - Provides registration information for named items (targets, layouts, layout renderers, etc.) managed by NLog. - - - - - Initializes static members of the class. - - - - - Initializes a new instance of the class. - - The assemblies to scan for named items. - - - - Registers named items from the assembly. - - The assembly. - - - - Registers named items from the assembly. - - The assembly. - Item name prefix. - - - - Clears the contents of all factories. - - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Builds the default configuration item factory. - - Default factory. - - - - Registers items in NLog.Extended.dll using late-bound types, so that we don't need a reference to NLog.Extended.dll. - - - - - Gets or sets default singleton instance of . - - - - - Gets or sets the creator delegate used to instantiate configuration objects. - - - By overriding this property, one can enable dependency injection or interception for created objects. - - - - - Gets the factory. - - The target factory. - - - - Gets the factory. - - The filter factory. - - - - Gets the factory. - - The layout renderer factory. - - - - Gets the factory. - - The layout factory. - - - - Gets the ambient property factory. - - The ambient property factory. - - - - Gets the time source factory. - - The time source factory. - - - - Gets the condition method factory. - - The condition method factory. - - - - Attribute used to mark the default parameters for layout renderers. - - - - - Initializes a new instance of the class. - - - - - Factory for class-based items. - - The base type of each item. - The type of the attribute used to annotate itemss. - - - - Represents a factory of named items (such as targets, layouts, layout renderers, etc.). - - Base type for each item instance. - Item definition type (typically or ). - - - - Registers new item definition. - - Name of the item. - Item definition. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Creates item instance. - - Name of the item. - Newly created item instance. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Provides means to populate factories of named items (such as targets, layouts, layout renderers, etc.). - - - - - Scans the assembly. - - The assembly. - The prefix. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Registers the item based on a type name. - - Name of the item. - Name of the type. - - - - Clears the contents of the factory. - - - - - Registers a single type definition. - - The item name. - The type of the item. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Creates an item instance. - - The name of the item. - Created item. - - - - Implemented by objects which support installation and uninstallation. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Provides context for install/uninstall operations. - - - - - Mapping between log levels and console output colors. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log output. - - - - Logs the specified trace message. - - The message. - The arguments. - - - - Logs the specified debug message. - - The message. - The arguments. - - - - Logs the specified informational message. - - The message. - The arguments. - - - - Logs the specified warning message. - - The message. - The arguments. - - - - Logs the specified error message. - - The message. - The arguments. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates the log event which can be used to render layouts during installation/uninstallations. - - Log event info object. - - - - Gets or sets the installation log level. - - - - - Gets or sets a value indicating whether to ignore failures during installation. - - - - - Gets the installation parameters. - - - - - Gets or sets the log output. - - - - - Keeps logging configuration and provides simple API - to modify it. - - - - - Initializes a new instance of the class. - - - - - Registers the specified target object under a given name. - - - Name of the target. - - - The target object. - - - - - Finds the target with the specified name. - - - The name of the target to be found. - - - Found target or when the target is not found. - - - - - Called by LogManager when one of the log configuration files changes. - - - A new instance of that represents the updated configuration. - - - - - Removes the specified named target. - - - Name of the target. - - - - - Installs target-specific objects on current system. - - The installation context. - - Installation typically runs with administrative permissions. - - - - - Uninstalls target-specific objects from current system. - - The installation context. - - Uninstallation typically runs with administrative permissions. - - - - - Closes all targets and releases any unmanaged resources. - - - - - Flushes any pending log messages on all appenders. - - The asynchronous continuation. - - - - Validates the configuration. - - - - - Gets a collection of named targets specified in the configuration. - - - A list of named targets. - - - Unnamed targets (such as those wrapped by other targets) are not returned. - - - - - Gets the collection of file names which should be watched for changes by NLog. - - - - - Gets the collection of logging rules. - - - - - Gets or sets the default culture info use. - - - - - Gets all targets. - - - - - Arguments for events. - - - - - Initializes a new instance of the class. - - The old configuration. - The new configuration. - - - - Gets the old configuration. - - The old configuration. - - - - Gets the new configuration. - - The new configuration. - - - - Arguments for . - - - - - Initializes a new instance of the class. - - Whether configuration reload has succeeded. - The exception during configuration reload. - - - - Gets a value indicating whether configuration reload has succeeded. - - A value of true if succeeded; otherwise, false. - - - - Gets the exception which occurred during configuration reload. - - The exception. - - - - Represents a logging rule. An equivalent of <logger /> configuration element. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Minimum log level needed to trigger this rule. - Target to be written to when the rule matches. - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Target to be written to when the rule matches. - By default no logging levels are defined. You should call and to set them. - - - - Enables logging for a particular level. - - Level to be enabled. - - - - Disables logging for a particular level. - - Level to be disabled. - - - - Returns a string representation of . Used for debugging. - - - A that represents the current . - - - - - Checks whether te particular log level is enabled for this rule. - - Level to be checked. - A value of when the log level is enabled, otherwise. - - - - Checks whether given name matches the logger name pattern. - - String to be matched. - A value of when the name matches, otherwise. - - - - Gets a collection of targets that should be written to when this rule matches. - - - - - Gets a collection of child rules to be evaluated when this rule matches. - - - - - Gets a collection of filters to be checked before writing to targets. - - - - - Gets or sets a value indicating whether to quit processing any further rule when this one matches. - - - - - Gets or sets logger name pattern. - - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends but not anywhere else. - - - - - Gets the collection of log levels enabled by this rule. - - - - - Factory for locating methods. - - The type of the class marker attribute. - The type of the method marker attribute. - - - - Scans the assembly for classes marked with - and methods marked with and adds them - to the factory. - - The assembly. - The prefix to use for names. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Clears contents of the factory. - - - - - Registers the definition of a single method. - - The method name. - The method info. - - - - Tries to retrieve method by name. - - The method name. - The result. - A value of true if the method was found, false otherwise. - - - - Retrieves method by name. - - Method name. - MethodInfo object. - - - - Tries to get method definition. - - The method . - The result. - A value of true if the method was found, false otherwise. - - - - Gets a collection of all registered items in the factory. - - - Sequence of key/value pairs where each key represents the name - of the item and value is the of - the item. - - - - - Marks the object as configuration item for NLog. - - - - - Initializes a new instance of the class. - - - - - Represents simple XML element with case-insensitive attribute semantics. - - - - - Initializes a new instance of the class. - - The input URI. - - - - Initializes a new instance of the class. - - The reader to initialize element from. - - - - Prevents a default instance of the class from being created. - - - - - Returns children elements with the specified element name. - - Name of the element. - Children elements with the specified element name. - - - - Gets the required attribute. - - Name of the attribute. - Attribute value. - Throws if the attribute is not specified. - - - - Gets the optional boolean attribute value. - - Name of the attribute. - Default value to return if the attribute is not found. - Boolean attribute value or default. - - - - Gets the optional attribute value. - - Name of the attribute. - The default value. - Value of the attribute or default value. - - - - Asserts that the name of the element is among specified element names. - - The allowed names. - - - - Gets the element name. - - - - - Gets the dictionary of attribute values. - - - - - Gets the collection of child elements. - - - - - Gets the value of the element. - - - - - Attribute used to mark the required parameters for targets, - layout targets and filters. - - - - - Provides simple programmatic configuration API used for trivial logging cases. - - - - - Configures NLog for console logging so that all messages above and including - the level are output to the console. - - - - - Configures NLog for console logging so that all messages above and including - the specified level are output to the console. - - The minimal logging level. - - - - Configures NLog for to log to the specified target so that all messages - above and including the level are output. - - The target to log all messages to. - - - - Configures NLog for to log to the specified target so that all messages - above and including the specified level are output. - - The target to log all messages to. - The minimal logging level. - - - - Configures NLog for file logging so that all messages above and including - the level are written to the specified file. - - Log file name. - - - - Configures NLog for file logging so that all messages above and including - the specified level are written to the specified file. - - Log file name. - The minimal logging level. - - - - Value indicating how stack trace should be captured when processing the log event. - - - - - Stack trace should not be captured. - - - - - Stack trace should be captured without source-level information. - - - - - Stack trace should be captured including source-level information such as line numbers. - - - - - Capture maximum amount of the stack trace information supported on the plaform. - - - - - Marks the layout or layout renderer as producing correct results regardless of the thread - it's running on. - - - - - A class for configuring NLog through an XML configuration file - (App.config style or App.nlog style). - - - - - Initializes a new instance of the class. - - Configuration file to be read. - - - - Initializes a new instance of the class. - - Configuration file to be read. - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - The XML element. - Name of the XML file. - - - - Initializes a new instance of the class. - - The XML element. - Name of the XML file. - If set to true errors will be ignored during file processing. - - - - Re-reads the original configuration file and returns the new object. - - The new object. - - - - Initializes the configuration. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Gets the default object by parsing - the application configuration file (app.exe.config). - - - - - Gets or sets a value indicating whether the configuration files - should be watched for changes and reloaded automatically when changed. - - - - - Gets the collection of file names which should be watched for changes by NLog. - This is the list of configuration files processed. - If the autoReload attribute is not set it returns empty collection. - - - - - Matches when the specified condition is met. - - - Conditions are expressed using a simple language - described here. - - - - - An abstract filter class. Provides a way to eliminate log messages - based on properties other than logger name and log level. - - - - - Initializes a new instance of the class. - - - - - Gets the result of evaluating filter against given log event. - - The log event. - Filter result. - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the action to be taken when filter matches. - - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the condition expression. - - - - - - Marks class as a layout renderer and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the filter. - - - - Filter result. - - - - - The filter doesn't want to decide whether to log or discard the message. - - - - - The message should be logged. - - - - - The message should not be logged. - - - - - The message should be logged and processing should be finished. - - - - - The message should not be logged and processing should be finished. - - - - - A base class for filters that are based on comparing a value to a layout. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the layout to be used to filter log messages. - - The layout. - - - - - Matches when the calculated layout contains the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets the substring to be matched. - - - - - - Matches when the calculated layout is equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets a string to compare the layout to. - - - - - - Matches when the calculated layout does NOT contain the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the substring to be matched. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Matches when the calculated layout is NOT equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Initializes a new instance of the class. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a string to compare the layout to. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Global Diagnostics Context - used for log4net compatibility. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Global Diagnostics Context - a dictionary structure to hold per-application-instance values. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Various helper methods for accessing state of ASP application. - - - - - Internal configuration manager used to read .NET configuration files. - Just a wrapper around the BCL ConfigurationManager, but used to enable - unit testing. - - - - - Interface for the wrapper around System.Configuration.ConfigurationManager. - - - - - Gets the wrapper around ConfigurationManager.AppSettings. - - - - - Gets the wrapper around ConfigurationManager.AppSettings. - - - - - Provides untyped IDictionary interface on top of generic IDictionary. - - The type of the key. - The type of the value. - - - - Initializes a new instance of the DictionaryAdapter class. - - The implementation. - - - - Adds an element with the provided key and value to the object. - - The to use as the key of the element to add. - The to use as the value of the element to add. - - - - Removes all elements from the object. - - - - - Determines whether the object contains an element with the specified key. - - The key to locate in the object. - - True if the contains an element with the key; otherwise, false. - - - - - Returns an object for the object. - - - An object for the object. - - - - - Removes the element with the specified key from the object. - - The key of the element to remove. - - - - Copies the elements of the to an , starting at a particular index. - - The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. - The zero-based index in at which copying begins. - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Gets an object containing the values in the object. - - - - An object containing the values in the object. - - - - - Gets the number of elements contained in the . - - - - The number of elements contained in the . - - - - - Gets a value indicating whether access to the is synchronized (thread safe). - - - true if access to the is synchronized (thread safe); otherwise, false. - - - - - Gets an object that can be used to synchronize access to the . - - - - An object that can be used to synchronize access to the . - - - - - Gets a value indicating whether the object has a fixed size. - - - true if the object has a fixed size; otherwise, false. - - - - - Gets a value indicating whether the object is read-only. - - - true if the object is read-only; otherwise, false. - - - - - Gets an object containing the keys of the object. - - - - An object containing the keys of the object. - - - - - Gets or sets the with the specified key. - - Dictionary key. - Value corresponding to key or null if not found - - - - Wrapper IDictionaryEnumerator. - - - - - Initializes a new instance of the class. - - The wrapped. - - - - Advances the enumerator to the next element of the collection. - - - True if the enumerator was successfully advanced to the next element; false if the enumerator has passed the end of the collection. - - - - - Sets the enumerator to its initial position, which is before the first element in the collection. - - - - - Gets both the key and the value of the current dictionary entry. - - - - A containing both the key and the value of the current dictionary entry. - - - - - Gets the key of the current dictionary entry. - - - - The key of the current element of the enumeration. - - - - - Gets the value of the current dictionary entry. - - - - The value of the current element of the enumeration. - - - - - Gets the current element in the collection. - - - - The current element in the collection. - - - - - LINQ-like helpers (cannot use LINQ because we must work with .NET 2.0 profile). - - - - - Filters the given enumerable to return only items of the specified type. - - - Type of the item. - - - The enumerable. - - - Items of specified type. - - - - - Reverses the specified enumerable. - - - Type of enumerable item. - - - The enumerable. - - - Reversed enumerable. - - - - - Determines is the given predicate is met by any element of the enumerable. - - Element type. - The enumerable. - The predicate. - True if predicate returns true for any element of the collection, false otherwise. - - - - Converts the enumerable to list. - - Type of the list element. - The enumerable. - List of elements. - - - - Safe way to get environment variables. - - - - - Helper class for dealing with exceptions. - - - - - Determines whether the exception must be rethrown. - - The exception. - True if the exception must be rethrown, false otherwise. - - - - Object construction helper. - - - - - Adapter for to - - - - - Interface for fakeable the current . Not fully implemented, please methods/properties as necessary. - - - - - Gets or sets the base directory that the assembly resolver uses to probe for assemblies. - - - - - Gets or sets the name of the configuration file for an application domain. - - - - - Gets or sets the list of directories under the application base directory that are probed for private assemblies. - - - - - Gets or set the friendly name. - - - - - Process exit event. - - - - - Domain unloaded event. - - - - - Initializes a new instance of the class. - - The to wrap. - - - - Gets a the current wrappered in a . - - - - - Gets or sets the base directory that the assembly resolver uses to probe for assemblies. - - - - - Gets or sets the name of the configuration file for an application domain. - - - - - Gets or sets the list of directories under the application base directory that are probed for private assemblies. - - - - - Gets or set the friendly name. - - - - - Process exit event. - - - - - Domain unloaded event. - - - - - Base class for optimized file appenders. - - - - - Initializes a new instance of the class. - - Name of the file. - The create parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Records the last write time for a file. - - - - - Records the last write time for a file to be specific date. - - Date and time when the last write occurred. - - - - Creates the file stream. - - If set to true allow concurrent writes. - A object which can be used to write to the file. - - - - Gets the name of the file. - - The name of the file. - - - - Gets the last write time. - - The last write time. - - - - Gets the open time of the file. - - The open time. - - - - Gets the file creation parameters. - - The file creation parameters. - - - - Implementation of which caches - file information. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Closes this instance of the appender. - - - - - Flushes this current appender. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Writes the specified bytes to a file. - - The bytes to be written. - - - - Factory class which creates objects. - - - - - Interface implemented by all factories capable of creating file appenders. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - Instance of which can be used to write to the file. - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Interface that provides parameters for create file function. - - - - - Provides a multiprocess-safe atomic file appends while - keeping the files open. - - - On Unix you can get all the appends to be atomic, even when multiple - processes are trying to write to the same file, because setting the file - pointer to the end of the file and appending can be made one operation. - On Win32 we need to maintain some synchronization between processes - (global named mutex is used for this) - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes to be written. - - - - Closes this instance. - - - - - Flushes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Multi-process and multi-host file appender which attempts - to get exclusive write access and retries if it's not available. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized single-process file appender which keeps the file open for exclusive write. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized routines to get the size and last write time of the specified file. - - - - - Initializes static members of the FileInfoHelper class. - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - A value of true if file information was retrieved successfully, false otherwise. - - - - Form helper methods. - - - - - Creates RichTextBox and docks in parentForm. - - Name of RichTextBox. - Form to dock RichTextBox. - Created RichTextBox. - - - - Finds control embedded on searchControl. - - Name of the control. - Control in which we're searching for control. - A value of null if no control has been found. - - - - Finds control of specified type embended on searchControl. - - The type of the control. - Name of the control. - Control in which we're searching for control. - - A value of null if no control has been found. - - - - - Creates a form. - - Name of form. - Width of form. - Height of form. - Auto show form. - If set to true the form will be minimized. - If set to true the form will be created as tool window. - Created form. - - - - Interface implemented by layouts and layout renderers. - - - - - Renders the the value of layout or layout renderer in the context of the specified log event. - - The log event. - String representation of a layout. - - - - Supports mocking of SMTP Client code. - - - - - Supports object initialization and termination. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Allows components to request stack trace information to be provided in the . - - - - - Gets the level of stack trace information required by the implementing class. - - - - - Logger configuration. - - - - - Initializes a new instance of the class. - - The targets by level. - - - - Gets targets for the specified level. - - The level. - Chain of targets with attached filters. - - - - Determines whether the specified level is enabled. - - The level. - - A value of true if the specified level is enabled; otherwise, false. - - - - - Message Box helper. - - - - - Shows the specified message using platform-specific message box. - - The message. - The caption. - - - - Watches multiple files at the same time and raises an event whenever - a single change is detected in any of those files. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Stops the watching. - - - - - Watches the specified files for changes. - - The file names. - - - - Occurs when a change is detected in one of the monitored files. - - - - - Supports mocking of SMTP Client code. - - - - - Network sender which uses HTTP or HTTPS POST. - - - - - A base class for all network senders. Supports one-way sending of messages - over various protocols. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Finalizes an instance of the NetworkSender class. - - - - - Initializes this network sender. - - - - - Closes the sender and releases any unmanaged resources. - - The continuation. - - - - Flushes any pending messages and invokes a continuation. - - The continuation. - - - - Send the given text over the specified protocol. - - Bytes to be sent. - Offset in buffer. - Number of bytes to send. - The asynchronous continuation. - - - - Closes the sender and releases any unmanaged resources. - - - - - Performs sender-specific initialization. - - - - - Performs sender-specific close operation. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Parses the URI into an endpoint address. - - The URI to parse. - The address family. - Parsed endpoint. - - - - Gets the address of the network endpoint. - - - - - Gets the last send time. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Creates instances of objects for given URLs. - - - - - Creates a new instance of the network sender based on a network URL. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - - A newly created network sender. - - - - - Interface for mocking socket calls. - - - - - Default implementation of . - - - - - Creates a new instance of the network sender based on a network URL:. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - /// - A newly created network sender. - - - - - Socket proxy for mocking Socket code. - - - - - Initializes a new instance of the class. - - The address family. - Type of the socket. - Type of the protocol. - - - - Closes the wrapped socket. - - - - - Invokes ConnectAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendToAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Sends messages over a TCP network connection. - - - - - Initializes a new instance of the class. - - URL. Must start with tcp://. - The address family. - - - - Creates the socket with given parameters. - - The address family. - Type of the socket. - Type of the protocol. - Instance of which represents the socket. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Sends the specified text over the connected socket. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Facilitates mocking of class. - - - - - Raises the Completed event. - - - - - Sends messages over the network as UDP datagrams. - - - - - Initializes a new instance of the class. - - URL. Must start with udp://. - The address family. - - - - Creates the socket. - - The address family. - Type of the socket. - Type of the protocol. - Implementation of to use. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Sends the specified text as a UDP datagram. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Scans (breadth-first) the object graph following all the edges whose are - instances have attached and returns - all objects implementing a specified interfaces. - - - - - Finds the objects which have attached which are reachable - from any of the given root objects when traversing the object graph over public properties. - - Type of the objects to return. - The root objects. - Ordered list of objects implementing T. - - - - Parameter validation utilities. - - - - - Asserts that the value is not null and throws otherwise. - - The value to check. - Name of the parameter. - - - - Detects the platform the NLog is running on. - - - - - Gets the current runtime OS. - - - - - Gets a value indicating whether current OS is a desktop version of Windows. - - - - - Gets a value indicating whether current OS is Win32-based (desktop or mobile). - - - - - Gets a value indicating whether current OS is Unix-based. - - - - - Portable implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Portable implementation of . - - - - - Returns details about current process and thread in a portable manner. - - - - - Initializes static members of the ThreadIDHelper class. - - - - - Gets the singleton instance of PortableThreadIDHelper or - Win32ThreadIDHelper depending on runtime environment. - - The instance. - - - - Gets current thread ID. - - - - - Gets current process ID. - - - - - Gets current process name. - - - - - Gets current process name (excluding filename extension, if any). - - - - - Initializes a new instance of the class. - - - - - Gets the name of the process. - - - - - Gets current thread ID. - - - - - - Gets current process ID. - - - - - - Gets current process name. - - - - - - Gets current process name (excluding filename extension, if any). - - - - - - Reflection helpers for accessing properties. - - - - - Reflection helpers. - - - - - Gets all usable exported types from the given assembly. - - Assembly to scan. - Usable types from the given assembly. - Types which cannot be loaded are skipped. - - - - Supported operating systems. - - - If you add anything here, make sure to add the appropriate detection - code to - - - - - Any operating system. - - - - - Unix/Linux operating systems. - - - - - Windows CE. - - - - - Desktop versions of Windows (95,98,ME). - - - - - Windows NT, 2000, 2003 and future versions based on NT technology. - - - - - Unknown operating system. - - - - - Simple character tokenizer. - - - - - Initializes a new instance of the class. - - The text to be tokenized. - - - - Implements a single-call guard around given continuation function. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - - - - Continuation function which implements the single-call guard. - - The exception. - - - - Provides helpers to sort log events and associated continuations. - - - - - Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. - - The type of the value. - The type of the key. - The inputs. - The key selector function. - - Dictonary where keys are unique input keys, and values are lists of . - - - - - Key selector delegate. - - The type of the value. - The type of the key. - Value to extract key information from. - Key selected from log event. - - - - Utilities for dealing with values. - - - - - Represents target with a chain of filters which determine - whether logging should happen. - - - - - Initializes a new instance of the class. - - The target. - The filter chain. - - - - Gets the stack trace usage. - - A value that determines stack trace handling. - - - - Gets the target. - - The target. - - - - Gets the filter chain. - - The filter chain. - - - - Gets or sets the next item in the chain. - - The next item in the chain. - - - - Helper for dealing with thread-local storage. - - - - - Allocates the data slot for storing thread-local information. - - Allocated slot key. - - - - Gets the data for a slot in thread-local storage. - - Type of the data. - The slot to get data for. - - Slot data (will create T if null). - - - - - Wraps with a timeout. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - The timeout. - - - - Continuation function which implements the timeout logic. - - The exception. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - URL Encoding helper. - - - - - Win32-optimized implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Win32-optimized implementation of . - - - - - Initializes a new instance of the class. - - - - - Gets current thread ID. - - - - - - Gets current process ID. - - - - - - Gets current process name. - - - - - - Gets current process name (excluding filename extension, if any). - - - - - - Helper class for XML - - - - - removes any unusual unicode characters that can't be encoded into XML - - - - - Safe version of WriteAttributeString - - - - - - - - - - Safe version of WriteAttributeString - - - - - - - - Safe version of WriteElementSafeString - - - - - - - - - - Safe version of WriteCData - - - - - - - Designates a property of the class as an ambient property. - - - - - Initializes a new instance of the class. - - Ambient property name. - - - - ASP Application variable. - - - - - Render environmental information related to logging events. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Renders the the value of layout renderer in the context of the specified log event. - - The log event. - String representation of a layout renderer. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Gets the logging configuration this target is part of. - - - - - Renders the specified ASP Application variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the ASP Application variable name. - - - - - - ASP Request variable. - - - - - Renders the specified ASP Request variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the item name. The QueryString, Form, Cookies, or ServerVariables collection variables having the specified name are rendered. - - - - - - Gets or sets the QueryString variable to be rendered. - - - - - - Gets or sets the form variable to be rendered. - - - - - - Gets or sets the cookie to be rendered. - - - - - - Gets or sets the ServerVariables item to be rendered. - - - - - - ASP Session variable. - - - - - Renders the specified ASP Session variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the session variable name. - - - - - - Assembly version. - - - - - Renders assembly version and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The current application domain's base directory. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the application base directory and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with with the base directory. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with with the base directory. - - - - - - The call site (class name, method name and source information). - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render the class name. - - - - - - Gets or sets a value indicating whether to render the method name. - - - - - - Gets or sets a value indicating whether the method name will be cleaned up if it is detected as an anonymous delegate. - - - - - - Gets or sets the number of frames to skip. - - - - - Gets or sets a value indicating whether to render the source file name and line number. - - - - - - Gets or sets a value indicating whether to include source file path. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - A counter value (increases on each layout rendering). - - - - - Initializes a new instance of the class. - - - - - Renders the specified counter value and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the initial value of the counter. - - - - - - Gets or sets the value to be added to the counter after each layout rendering. - - - - - - Gets or sets the name of the sequence. Different named sequences can have individual values. - - - - - - Current date and time. - - - - - Initializes a new instance of the class. - - - - - Renders the current date and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the culture used for rendering. - - - - - - Gets or sets the date format. Can be any argument accepted by DateTime.ToString(format). - - - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - The environment variable. - - - - - Renders the specified environment variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the environment variable. - - - - - - Gets or sets the default value to be used when the environment variable is not set. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Exception information provided through - a call to one of the Logger.*Exception() methods. - - - - - Initializes a new instance of the class. - - - - - Renders the specified exception information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the format of the output. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the format of the output of inner exceptions. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the separator used to concatenate parts specified in the Format. - - - - - - Gets or sets the maximum number of inner exceptions to include in the output. - By default inner exceptions are not enabled for compatibility with NLog 1.0. - - - - - - Gets or sets the separator between inner exceptions. - - - - - - Renders contents of the specified file. - - - - - Initializes a new instance of the class. - - - - - Renders the contents of the specified file and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file. - - - - - - Gets or sets the encoding used in the file. - - The encoding. - - - - - The information about the garbage collector. - - - - - Initializes a new instance of the class. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Gets or sets the property of System.GC to retrieve. - - - - - Total memory allocated. - - - - - Total memory allocated (perform full garbage collection first). - - - - - Gets the number of Gen0 collections. - - - - - Gets the number of Gen1 collections. - - - - - Gets the number of Gen2 collections. - - - - - Maximum generation number supported by GC. - - - - - Global Diagnostics Context item. Provided for compatibility with log4net. - - - - - Renders the specified Global Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Globally-unique identifier (GUID). - - - - - Initializes a new instance of the class. - - - - - Renders a newly generated GUID string and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the GUID format as accepted by Guid.ToString() method. - - - - - - Thread identity information (name and authentication information). - - - - - Initializes a new instance of the class. - - - - - Renders the specified identity information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the separator to be used when concatenating - parts of identity information. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.Name. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.AuthenticationType. - - - - - - Gets or sets a value indicating whether to render Thread.CurrentPrincipal.Identity.IsAuthenticated. - - - - - - Installation parameter (passed to InstallNLogConfig). - - - - - Renders the specified installation parameter and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the parameter. - - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Name of the layout renderer. - - - - The log level. - - - - - Renders the current log level and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - A string literal. - - - This is used to escape '${' sequence - as ;${literal:text=${}' - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The literal text value. - This is used by the layout compiler. - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the literal text. - - - - - - XML event description compatible with log4j, Chainsaw and NLogViewer. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the XML logging event and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets a value indicating whether the XML should use spaces for indentation. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include contents of the dictionary. - - - - - - Gets or sets a value indicating whether to include contents of the stack. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - The logger name. - - - - - Renders the logger name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render short logger name (the part after the trailing dot character). - - - - - - The date and time in a long, sortable format yyyy-MM-dd HH:mm:ss.mmm. - - - - - Renders the date in the long format (yyyy-MM-dd HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - The machine name that the process is running on. - - - - - Initializes the layout renderer. - - - - - Renders the machine name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Mapped Diagnostic Context item. Provided for compatibility with log4net. - - - - - Renders the specified MDC item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - The formatted log message. - - - - - Initializes a new instance of the class. - - - - - Renders the log message including any positional parameters and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to log exception along with message. - - - - - - Gets or sets the string that separates message from the exception. - - - - - - Nested Diagnostic Context item. Provided for compatibility with log4net. - - - - - Initializes a new instance of the class. - - - - - Renders the specified Nested Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the number of bottom stack frames to be rendered. - - - - - - Gets or sets the separator to be used for concatenating nested diagnostics context output. - - - - - - A newline literal. - - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The directory where NLog.dll is located. - - - - - Initializes static members of the NLogDirLayoutRenderer class. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The performance counter. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Renders the specified environment variable and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the counter category. - - - - - - Gets or sets the name of the performance counter. - - - - - - Gets or sets the name of the performance counter instance (e.g. this.Global_). - - - - - - Gets or sets the name of the machine to read the performance counter from. - - - - - - The identifier of the current process. - - - - - Renders the current process ID. - - The to append the rendered data to. - Logging event. - - - - The information about the running process. - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Property of System.Diagnostics.Process to retrieve. - - - - - Base Priority. - - - - - Exit Code. - - - - - Exit Time. - - - - - Process Handle. - - - - - Handle Count. - - - - - Whether process has exited. - - - - - Process ID. - - - - - Machine name. - - - - - Handle of the main window. - - - - - Title of the main window. - - - - - Maximum Working Set. - - - - - Minimum Working Set. - - - - - Non-paged System Memory Size. - - - - - Non-paged System Memory Size (64-bit). - - - - - Paged Memory Size. - - - - - Paged Memory Size (64-bit).. - - - - - Paged System Memory Size. - - - - - Paged System Memory Size (64-bit). - - - - - Peak Paged Memory Size. - - - - - Peak Paged Memory Size (64-bit). - - - - - Peak Vitual Memory Size. - - - - - Peak Virtual Memory Size (64-bit).. - - - - - Peak Working Set Size. - - - - - Peak Working Set Size (64-bit). - - - - - Whether priority boost is enabled. - - - - - Priority Class. - - - - - Private Memory Size. - - - - - Private Memory Size (64-bit). - - - - - Privileged Processor Time. - - - - - Process Name. - - - - - Whether process is responding. - - - - - Session ID. - - - - - Process Start Time. - - - - - Total Processor Time. - - - - - User Processor Time. - - - - - Virtual Memory Size. - - - - - Virtual Memory Size (64-bit). - - - - - Working Set Size. - - - - - Working Set Size (64-bit). - - - - - The name of the current process. - - - - - Renders the current process name (optionally with a full path). - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to write the full path to the process executable. - - - - - - The process time in format HH:mm:ss.mmm. - - - - - Renders the current process running time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - High precision timer, based on the value returned from QueryPerformanceCounter() optionally converted to seconds. - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to normalize the result by subtracting - it from the result of the first call (so that it's effectively zero-based). - - - - - - Gets or sets a value indicating whether to output the difference between the result - of QueryPerformanceCounter and the previous one. - - - - - - Gets or sets a value indicating whether to convert the result to seconds by dividing - by the result of QueryPerformanceFrequency(). - - - - - - Gets or sets the number of decimal digits to be included in output. - - - - - - Gets or sets a value indicating whether to align decimal point (emit non-significant zeros). - - - - - - A value from the Registry. - - - - - Reads the specified registry key and value and appends it to - the passed . - - The to append the rendered data to. - Logging event. Ignored. - - - - Gets or sets the registry value name. - - - - - - Gets or sets the value to be output when the specified registry key or value is not found. - - - - - - Gets or sets the registry key. - - - Must have one of the forms: -
    -
  • HKLM\Key\Full\Name
  • -
  • HKEY_LOCAL_MACHINE\Key\Full\Name
  • -
  • HKCU\Key\Full\Name
  • -
  • HKEY_CURRENT_USER\Key\Full\Name
  • -
-
- -
- - - The short date in a sortable format yyyy-MM-dd. - - - - - Renders the current short date string (yyyy-MM-dd) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - System special folder path (includes My Documents, My Music, Program Files, Desktop, and more). - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the system special folder to use. - - - Full list of options is available at MSDN. - The most common ones are: -
    -
  • ApplicationData - roaming application data for current user.
  • -
  • CommonApplicationData - application data for all users.
  • -
  • MyDocuments - My Documents
  • -
  • DesktopDirectory - Desktop directory
  • -
  • LocalApplicationData - non roaming application data
  • -
  • Personal - user profile directory
  • -
  • System - System directory
  • -
-
- -
- - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - Format of the ${stacktrace} layout renderer output. - - - - - Raw format (multiline - as returned by StackFrame.ToString() method). - - - - - Flat format (class and method names displayed in a single line). - - - - - Detailed flat format (method signatures displayed in a single line). - - - - - Stack trace renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the output format of the stack trace. - - - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the stack frame separator string. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - - A temporary directory. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The identifier of the current thread. - - - - - Renders the current thread identifier and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The name of the current thread. - - - - - Renders the current thread name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The Ticks value of current date and time. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The time in a 24-hour, sortable format HH:mm:ss.mmm. - - - - - Renders time in the 24-h format (HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Thread Windows identity information (username). - - - - - Initializes a new instance of the class. - - - - - Renders the current thread windows identity information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether domain name should be included. - - - - - - Gets or sets a value indicating whether username should be included. - - - - - - Applies caching to another layout output. - - - The value of the inner layout will be rendered only once and reused subsequently. - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Renders the inner message, processes it and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets the wrapped layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets a value indicating whether this is enabled. - - - - - - Filters characters not allowed in the file names by replacing them with safe character. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to modify the output of this renderer so it can be used as a part of file path - (illegal characters are replaced with '_'). - - - - - - Escapes output of another layout using JSON rules. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - JSON-encoded string. - - - - Gets or sets a value indicating whether to apply JSON encoding. - - - - - - Converts the result of another layout output to lower case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Only outputs the inner layout when exception has been defined for log message. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Applies padding to another layout output. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the number of characters to pad the output to. - - - Positive padding values cause left padding, negative values - cause right padding to the desired width. - - - - - - Gets or sets the padding character. - - - - - - Gets or sets a value indicating whether to trim the - rendered text to the absolute value of the padding length. - - - - - - Replaces a string in the output of another layout with another string. - - - - - Initializes the layout renderer. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Post-processed text. - - - - A match evaluator for Regular Expression based replacing - - - - - - - - - - Gets or sets the text to search for. - - The text search for. - - - - - Gets or sets a value indicating whether regular expressions should be used. - - A value of true if regular expressions should be used otherwise, false. - - - - - Gets or sets the replacement string. - - The replacement string. - - - - - Gets or sets the group name to replace when using regular expressions. - Leave null or empty to replace without using group name. - - The group name. - - - - - Gets or sets a value indicating whether to ignore case. - - A value of true if case should be ignored when searching; otherwise, false. - - - - - Gets or sets a value indicating whether to search for whole words. - - A value of true if whole words should be searched for; otherwise, false. - - - - - This class was created instead of simply using a lambda expression so that the "ThreadAgnosticAttributeTest" will pass - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Encodes/Decodes ROT-13-encoded string. - - The string to be encoded/decoded. - Encoded/Decoded text. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the layout to be wrapped. - - The layout to be wrapped. - This variable is for backwards compatibility - - - - - Trims the whitespace from the result of another layout renderer. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Converts the result of another layout output to upper case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether upper case conversion should be applied. - - A value of true if upper case conversion should be applied otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Encodes the result of another layout output for use with URLs. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets a value indicating whether spaces should be translated to '+' or '%20'. - - A value of true if space should be translated to '+'; otherwise, false. - - - - - Outputs alternative layout when the inner layout produces empty result. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the layout to be rendered when original layout produced empty result. - - - - - - Only outputs the inner layout when the specified condition has been met. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the condition that must be met for the inner layout to be printed. - - - - - - Converts the result of another layout output to be XML-compliant. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to apply XML encoding. - - - - - - A column in the CSV. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The name of the column. - The layout of the column. - - - - Gets or sets the name of the column. - - - - - - Gets or sets the layout of the column. - - - - - - Specifies allowed column delimiters. - - - - - Automatically detect from regional settings. - - - - - Comma (ASCII 44). - - - - - Semicolon (ASCII 59). - - - - - Tab character (ASCII 9). - - - - - Pipe character (ASCII 124). - - - - - Space character (ASCII 32). - - - - - Custom string, specified by the CustomDelimiter. - - - - - A specialized layout that renders CSV-formatted events. - - - - - A specialized layout that supports header and footer. - - - - - Abstract interface that layouts must implement. - - - - - Converts a given text to a . - - Text to be converted. - object represented by the text. - - - - Implicitly converts the specified string to a . - - The layout string. - Instance of . - - - - Implicitly converts the specified string to a . - - The layout string. - The NLog factories to use when resolving layout renderers. - Instance of . - - - - Precalculates the layout for the specified log event and stores the result - in per-log event cache. - - The log event. - - Calling this method enables you to store the log event in a buffer - and/or potentially evaluate it in another thread even though the - layout may contain thread-dependent renderer. - - - - - Renders the event info in layout. - - The event info. - String representing log event. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes the layout. - - - - - Closes the layout. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets a value indicating whether this layout is thread-agnostic (can be rendered on any thread). - - - Layout is thread-agnostic if it has been marked with [ThreadAgnostic] attribute and all its children are - like that as well. - Thread-agnostic layouts only use contents of for its output. - - - - - Gets the logging configuration this target is part of. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets or sets the body layout (can be repeated multiple times). - - - - - - Gets or sets the header layout. - - - - - - Gets or sets the footer layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the array of parameters to be passed. - - - - - - Gets or sets a value indicating whether CVS should include header. - - A value of true if CVS should include header; otherwise, false. - - - - - Gets or sets the column delimiter. - - - - - - Gets or sets the quoting mode. - - - - - - Gets or sets the quote Character. - - - - - - Gets or sets the custom column delimiter value (valid when ColumnDelimiter is set to 'Custom'). - - - - - - Header for CSV layout. - - - - - Initializes a new instance of the class. - - The parent. - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Specifies allowes CSV quoting modes. - - - - - Quote all column. - - - - - Quote nothing. - - - - - Quote only whose values contain the quote symbol or - the separator. - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Layout name. - - - - Parses layout strings. - - - - - A specialized layout that renders Log4j-compatible XML events. - - - This layout is not meant to be used explicitly. Instead you can use ${log4jxmlevent} layout renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets the instance that renders log events. - - - - - Represents a string with embedded placeholders that can render contextual information. - - - This layout is not meant to be used explicitly. Instead you can just use a string containing layout - renderers everywhere the layout is required. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout string to parse. - - - - Initializes a new instance of the class. - - The layout string to parse. - The NLog factories to use when creating references to layout renderers. - - - - Converts a text to a simple layout. - - Text to be converted. - A object. - - - - Escapes the passed text so that it can - be used literally in all places where - layout is normally expected without being - treated as layout. - - The text to be escaped. - The escaped text. - - Escaping is done by replacing all occurences of - '${' with '${literal:text=${}' - - - - - Evaluates the specified text by expadinging all layout renderers. - - The text to be evaluated. - Log event to be used for evaluation. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Evaluates the specified text by expadinging all layout renderers - in new context. - - The text to be evaluated. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Returns a that represents the current object. - - - A that represents the current object. - - - - - Renders the layout for the specified logging event by invoking layout renderers - that make up the event. - - The logging event. - The rendered layout. - - - - Gets or sets the layout text. - - - - - - Gets a collection of objects that make up this layout. - - - - - Represents the logging event. - - - - - Gets the date of the first log event created. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Log level. - Logger name. - Log message including parameter placeholders. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - Exception information. - - - - Creates the null event. - - Null log event. - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - The parameters. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - The exception. - Instance of . - - - - Creates from this by attaching the specified asynchronous continuation. - - The asynchronous continuation. - Instance of with attached continuation. - - - - Returns a string representation of this log event. - - String representation of the log event. - - - - Sets the stack trace for the event info. - - The stack trace. - Index of the first user stack frame within the stack trace. - - - - Gets the unique identifier of log event which is automatically generated - and monotonously increasing. - - - - - Gets or sets the timestamp of the logging event. - - - - - Gets or sets the level of the logging event. - - - - - Gets a value indicating whether stack trace has been set for this event. - - - - - Gets the stack frame of the method that did the logging. - - - - - Gets the number index of the stack frame that represents the user - code (not the NLog code). - - - - - Gets the entire stack trace. - - - - - Gets or sets the exception information. - - - - - Gets or sets the logger name. - - - - - Gets the logger short name. - - - - - Gets or sets the log message including any parameter placeholders. - - - - - Gets or sets the parameter values or null if no parameters have been specified. - - - - - Gets or sets the format provider that was provided while logging or - when no formatProvider was specified. - - - - - Gets the formatted message. - - - - - Gets the dictionary of per-event context properties. - - - - - Gets the dictionary of per-event context properties. - - - - - Creates and manages instances of objects. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The config. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates a logger that discards all log messages. - - Null logger instance. - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The type of the logger to create. The type must inherit from NLog.Logger. - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The type of the logger to create. The type must inherit from NLog.Logger. - The logger reference. Multiple calls to GetLogger with the - same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Occurs when logging changes. - - - - - Occurs when logging gets reloaded. - - - - - Gets the current . - - - - - Gets or sets a value indicating whether exceptions should be thrown. - - A value of true if exceptiosn should be thrown; otherwise, false. - By default exceptions - are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Logger cache key. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Determines if two objects are equal in value. - - Other object to compare to. - True if objects are equal, false otherwise. - - - - Enables logging in implementation. - - - - - Initializes a new instance of the class. - - The factory. - - - - Enables logging. - - - - - Specialized LogFactory that can return instances of custom logger types. - - The type of the logger to be returned. Must inherit from . - - - - Gets the logger. - - The logger name. - An instance of . - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Provides logging interface and utility functions. - - - Auto-generated Logger members for binary compatibility with NLog 1.0. - - - - - Initializes a new instance of the class. - - - - - Gets a value indicating whether logging is enabled for the specified level. - - Log level to be checked. - A value of if logging is enabled for the specified level, otherwise it returns . - - - - Writes the specified diagnostic message. - - Log event. - - - - Writes the specified diagnostic message. - - The name of the type that wraps Logger. - Log event. - - - - Writes the diagnostic message at the specified level using the specified format provider and format parameters. - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the specified level. - - The log level. - Log message. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameter. - - The type of the argument. - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Trace level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Trace level. - - Log message. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Debug level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Debug level. - - Log message. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Info level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Info level. - - Log message. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Warn level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Warn level. - - Log message. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Error level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Error level. - - Log message. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Fatal level. - - Log message. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Runs action. If the action throws, the exception is logged at Error level. Exception is not propagated outside of this method. - - Action to execute. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Result returned by the provided function or fallback value in case of exception. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Fallback value to return in case of exception. Defaults to default value of type T. - Result returned by the provided function or fallback value in case of exception. - - - - Runs async action. If the action throws, the exception is logged at Error level. Exception is not propagated outside of this method. - - Async action to execute. - - - - Runs the provided async function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Async function to run. - Result returned by the provided function or fallback value in case of exception. - - - - Runs the provided async function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Async function to run. - Fallback value to return in case of exception. Defaults to default value of type T. - Result returned by the provided function or fallback value in case of exception. - - - - Writes the diagnostic message at the specified level. - - The log level. - A to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter and formatting it with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified value as a parameter. - - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level. - - A to be written. - - - - Writes the diagnostic message at the Trace level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level. - - A to be written. - - - - Writes the diagnostic message at the Debug level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level. - - A to be written. - - - - Writes the diagnostic message at the Info level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level. - - A to be written. - - - - Writes the diagnostic message at the Warn level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level. - - A to be written. - - - - Writes the diagnostic message at the Error level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level. - - A to be written. - - - - Writes the diagnostic message at the Fatal level. - - An IFormatProvider that supplies culture-specific formatting information. - A to be written. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - First argument to format. - Second argument to format. - Third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter and formatting it with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified value as a parameter. - - A containing one format item. - The argument to format. - - - - Occurs when logger configuration changes. - - - - - Gets the name of the logger. - - - - - Gets the factory that created this logger. - - - - - Gets a value indicating whether logging is enabled for the Trace level. - - A value of if logging is enabled for the Trace level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Debug level. - - A value of if logging is enabled for the Debug level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Info level. - - A value of if logging is enabled for the Info level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Warn level. - - A value of if logging is enabled for the Warn level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Error level. - - A value of if logging is enabled for the Error level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Fatal level. - - A value of if logging is enabled for the Fatal level, otherwise it returns . - - - - Implementation of logging engine. - - - - - Gets the filter result. - - The filter chain. - The log event. - The result of the filter. - - - - Defines available log levels. - - - - - Trace log level. - - - - - Debug log level. - - - - - Info log level. - - - - - Warn log level. - - - - - Error log level. - - - - - Fatal log level. - - - - - Off log level. - - - - - Initializes a new instance of . - - The log level name. - The log level ordinal number. - - - - Compares two objects - and returns a value indicating whether - the first one is equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal == level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is not equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal != level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than the second one. - - The first level. - The second level. - The value of level1.Ordinal > level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal >= level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than the second one. - - The first level. - The second level. - The value of level1.Ordinal < level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal <= level2.Ordinal. - - - - Gets the that corresponds to the specified ordinal. - - The ordinal. - The instance. For 0 it returns , 1 gives and so on. - - - - Returns the that corresponds to the supplied . - - The texual representation of the log level. - The enumeration value. - - - - Returns a string representation of the log level. - - Log level name. - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - Value of true if the specified is equal to this instance; otherwise, false. - - - The parameter is null. - - - - - Compares the level to the other object. - - - The object object. - - - A value less than zero when this logger's is - less than the other logger's ordinal, 0 when they are equal and - greater than zero when this ordinal is greater than the - other ordinal. - - - - - Gets the name of the log level. - - - - - Gets the ordinal of the log level. - - - - - Creates and manages instances of objects. - - - - - Initializes static members of the LogManager class. - - - - - Prevents a default instance of the LogManager class from being created. - - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The logger class. The class must inherit from . - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Creates a logger that discards all log messages. - - Null logger which discards all log messages. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The logger class. The class must inherit from . - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger. - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Dispose all targets, and shutdown logging. - - - - - Occurs when logging changes. - - - - - Occurs when logging gets reloaded. - - - - - Gets or sets a value indicating whether NLog should throw exceptions. - By default exceptions are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Gets or sets the default culture to use. - - - - - Delegate used to the the culture to use. - - - - - - Returns a log message. Used to defer calculation of - the log message until it's actually needed. - - Log message. - - - - Service contract for Log Receiver client. - - - - - Begins processing of log messages. - - The events. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Service contract for Log Receiver server. - - - - - Processes the log messages. - - The events. - - - - Implementation of which forwards received logs through or a given . - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log factory. - - - - Processes the log messages. - - The events to process. - - - - Processes the log messages. - - The log events. - - - - Internal configuration of Log Receiver Service contracts. - - - - - Wire format for NLog Event. - - - - - Initializes a new instance of the class. - - - - - Converts the to . - - The object this is part of.. - The logger name prefix to prepend in front of the logger name. - Converted . - - - - Gets or sets the client-generated identifier of the event. - - - - - Gets or sets the ordinal of the log level. - - - - - Gets or sets the logger ordinal (index into . - - The logger ordinal. - - - - Gets or sets the time delta (in ticks) between the time of the event and base time. - - - - - Gets or sets the message string index. - - - - - Gets or sets the collection of layout values. - - - - - Gets the collection of indexes into array for each layout value. - - - - - Wire format for NLog event package. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - The logger name prefix to prepend in front of each logger name. - - Sequence of objects. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - - Sequence of objects. - - - - - Gets or sets the name of the client. - - The name of the client. - - - - Gets or sets the base time (UTC ticks) for all events in the package. - - The base time UTC. - - - - Gets or sets the collection of layout names which are shared among all events. - - The layout names. - - - - Gets or sets the collection of logger names. - - The logger names. - - - - Gets or sets the list of events. - - The events. - - - - List of strings annotated for more terse serialization. - - - - - Initializes a new instance of the class. - - - - - Log Receiver Client using WCF. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - The binding. - The remote address. - - - - Opens the client asynchronously. - - - - - Opens the client asynchronously. - - User-specific state. - - - - Closes the client asynchronously. - - - - - Closes the client asynchronously. - - User-specific state. - - - - Processes the log messages asynchronously. - - The events to send. - - - - Processes the log messages asynchronously. - - The events to send. - User-specific state. - - - - Begins processing of log messages. - - The events to send. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Occurs when the log message processing has completed. - - - - - Occurs when Open operation has completed. - - - - - Occurs when Close operation has completed. - - - - - Mapped Diagnostics Context - a thread-local structure that keeps a dictionary - of strings and provides methods to output them in layouts. - Mostly for compatibility with log4net. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Mapped Diagnostics Context - used for log4net compatibility. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Nested Diagnostics Context - for log4net compatibility. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Nested Diagnostics Context - a thread-local structure that keeps a stack - of strings and provides methods to output them in layouts - Mostly for compatibility with log4net. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Resets the stack to the original count during . - - - - - Initializes a new instance of the class. - - The stack. - The previous count. - - - - Reverts the stack to original item count. - - - - - Exception thrown during NLog configuration. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - Exception thrown during log event processing. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - - The parameter is null. - - - The class name is null or is zero (0). - - - - - TraceListener which routes all messages through NLog. - - - - - Initializes a new instance of the class. - - - - - When overridden in a derived class, writes the specified message to the listener you create in the derived class. - - A message to write. - - - - When overridden in a derived class, writes a message to the listener you create in the derived class, followed by a line terminator. - - A message to write. - - - - When overridden in a derived class, closes the output stream so it no longer receives tracing or debugging output. - - - - - Emits an error message. - - A message to emit. - - - - Emits an error message and a detailed error message. - - A message to emit. - A detailed message to emit. - - - - Flushes the output buffer. - - - - - Writes trace information, a data object and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - The trace data to emit. - - - - Writes trace information, an array of data objects and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - An array of objects to emit as data. - - - - Writes trace and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - - - - Writes trace information, a formatted array of objects and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - A format string that contains zero or more format items, which correspond to objects in the array. - An object array containing zero or more objects to format. - - - - Writes trace information, a message, and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - One of the values specifying the type of event that has caused the trace. - A numeric identifier for the event. - A message to write. - - - - Writes trace information, a message, a related activity identity and event information to the listener specific output. - - A object that contains the current process ID, thread ID, and stack trace information. - A name used to identify the output, typically the name of the application that generated the trace event. - A numeric identifier for the event. - A message to write. - A object identifying a related activity. - - - - Gets the custom attributes supported by the trace listener. - - - A string array naming the custom attributes supported by the trace listener, or null if there are no custom attributes. - - - - - Translates the event type to level from . - - Type of the event. - Translated log level. - - - - Process the log event - The log level. - The name of the logger. - The log message. - The log parameters. - The event id. - The event type. - The releated activity id. - - - - - Gets or sets the log factory to use when outputting messages (null - use LogManager). - - - - - Gets or sets the default log level. - - - - - Gets or sets the log which should be always used regardless of source level. - - - - - Gets or sets a value indicating whether flush calls from trace sources should be ignored. - - - - - Gets a value indicating whether the trace listener is thread safe. - - - true if the trace listener is thread safe; otherwise, false. The default is false. - - - - Gets or sets a value indicating whether to use auto logger name detected from the stack trace. - - - - - Specifies the way archive numbering is performed. - - - - - Sequence style numbering. The most recent archive has the highest number. - - - - - Rolling style numbering (the most recent is always #0 then #1, ..., #N. - - - - - Date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. - - - - - Outputs log messages through the ASP Response object. - - Documentation on NLog Wiki - - - - Represents target that supports string formatting using layouts. - - - - - Represents logging target. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Closes the target. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Calls the on each volatile layout - used by this target. - - - The log event. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Writes the log to the target. - - Log event to write. - - - - Writes the array of log events. - - The log events. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. - classes. - - - Logging event to be written out. - - - - - Writes log event to the log target. Must be overridden in inheriting - classes. - - Log event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Merges (copies) the event context properties from any event info object stored in - parameters of the given event info object. - - The event info object to perform the merge to. - - - - Gets or sets the name of the target. - - - - - - Gets the object which can be used to synchronize asynchronous operations that must rely on the . - - - - - Gets the logging configuration this target is part of. - - - - - Gets a value indicating whether the target has been initialized. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the layout used to format log messages. - - - - - - Outputs the rendered logging event through the OutputDebugString() Win32 API. - - The logging event. - - - - Gets or sets a value indicating whether to add <!-- --> comments around all written texts. - - - - - - Sends log messages to the remote instance of Chainsaw application from log4j. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages to the remote instance of NLog Viewer. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages over the network. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- To print the results, use any application that's able to receive messages over - TCP or UDP. NetCat is - a simple but very powerful command-line tool that can be used for that. This image - demonstrates the NetCat tool receiving log messages from Network target. -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will be very slow. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-

- There are two specialized versions of the Network target: Chainsaw - and NLogViewer which write to instances of Chainsaw log4j viewer - or NLogViewer application respectively. -

-
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Closes the target. - - - - - Sends the - rendered logging event over the network optionally concatenating it with a newline character. - - The logging event. - - - - Gets the bytes to be written. - - Log event. - Byte array. - - - - Gets or sets the network address. - - - The network address can be: -
    -
  • tcp://host:port - TCP (auto select IPv4/IPv6) (not supported on Windows Phone 7.0)
  • -
  • tcp4://host:port - force TCP/IPv4 (not supported on Windows Phone 7.0)
  • -
  • tcp6://host:port - force TCP/IPv6 (not supported on Windows Phone 7.0)
  • -
  • udp://host:port - UDP (auto select IPv4/IPv6, not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp4://host:port - force UDP/IPv4 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp6://host:port - force UDP/IPv6 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • http://host:port/pageName - HTTP using POST verb
  • -
  • https://host:port/pageName - HTTPS using POST verb
  • -
- For SOAP-based webservice support over HTTP use WebService target. -
- -
- - - Gets or sets a value indicating whether to keep connection open whenever possible. - - - - - - Gets or sets a value indicating whether to append newline at the end of log message. - - - - - - Gets or sets the maximum message size in bytes. - - - - - - Gets or sets the size of the connection cache (number of connections which are kept alive). - - - - - - Gets or sets the maximum queue size. - - - - - Gets or sets the action that should be taken if the message is larger than - maxMessageSize. - - - - - - Gets or sets the encoding to be used. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include dictionary contents. - - - - - - Gets or sets a value indicating whether to include stack contents. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a named parameter. - - - - - - Gets the layout renderer which produces Log4j-compatible XML events. - - - - - Gets or sets the instance of that is used to format log messages. - - - - - - Initializes a new instance of the class. - - - - - Writes log messages to the console with customizable coloring. - - Documentation on NLog Wiki - - - - Represents target that supports string formatting using layouts. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the text to be rendered. - - - - - - Gets or sets the footer. - - - - - - Gets or sets the header. - - - - - - Gets or sets the layout with header and footer. - - The layout with header and footer. - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified log event to the console highlighting entries - and words based on a set of defined rules. - - Log event. - - - - Gets or sets a value indicating whether the error stream (stderr) should be used instead of the output stream (stdout). - - - - - - Gets or sets a value indicating whether to use default row highlighting rules. - - - The default rules are: - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
ConditionForeground ColorBackground Color
level == LogLevel.FatalRedNoChange
level == LogLevel.ErrorYellowNoChange
level == LogLevel.WarnMagentaNoChange
level == LogLevel.InfoWhiteNoChange
level == LogLevel.DebugGrayNoChange
level == LogLevel.TraceDarkGrayNoChange
-
- -
- - - Gets the row highlighting rules. - - - - - - Gets the word highlighting rules. - - - - - - Color pair (foreground and background). - - - - - Colored console output color. - - - Note that this enumeration is defined to be binary compatible with - .NET 2.0 System.ConsoleColor + some additions - - - - - Black Color (#000000). - - - - - Dark blue Color (#000080). - - - - - Dark green Color (#008000). - - - - - Dark Cyan Color (#008080). - - - - - Dark Red Color (#800000). - - - - - Dark Magenta Color (#800080). - - - - - Dark Yellow Color (#808000). - - - - - Gray Color (#C0C0C0). - - - - - Dark Gray Color (#808080). - - - - - Blue Color (#0000FF). - - - - - Green Color (#00FF00). - - - - - Cyan Color (#00FFFF). - - - - - Red Color (#FF0000). - - - - - Magenta Color (#FF00FF). - - - - - Yellow Color (#FFFF00). - - - - - White Color (#FFFFFF). - - - - - Don't change the color. - - - - - The row-highlighting condition. - - - - - Initializes static members of the ConsoleRowHighlightingRule class. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The condition. - Color of the foreground. - Color of the background. - - - - Checks whether the specified log event matches the condition (if any). - - - Log event. - - - A value of if the condition is not defined or - if it matches, otherwise. - - - - - Gets the default highlighting rule. Doesn't change the color. - - - - - Gets or sets the condition that must be met in order to set the specified foreground and background color. - - - - - - Gets or sets the foreground color. - - - - - - Gets or sets the background color. - - - - - - Writes log messages to the console. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the Console.Out or - Console.Error depending on the value of the Error flag. - - The logging event. - - Note that the Error option is not supported on .NET Compact Framework. - - - - - Gets or sets a value indicating whether to send the log messages to the standard error instead of the standard output. - - - - - - Highlighting rule for Win32 colorful console. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the foreground. - Color of the background. - - - - Gets or sets the regular expression to be matched. You must specify either text or regex. - - - - - - Gets or sets the text to be matched. You must specify either text or regex. - - - - - - Gets or sets a value indicating whether to match whole words only. - - - - - - Gets or sets a value indicating whether to ignore case when comparing texts. - - - - - - Gets the compiled regular expression that matches either Text or Regex property. - - - - - Gets or sets the foreground color. - - - - - - Gets or sets the background color. - - - - - - Information about database command + parameters. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the type of the command. - - The type of the command. - - - - - Gets or sets the connection string to run the command against. If not provided, connection string from the target is used. - - - - - - Gets or sets the command text. - - - - - - Gets or sets a value indicating whether to ignore failures. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a database named or positional parameter. - - - - - - Represents a parameter to a Database target. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the parameter. - The parameter layout. - - - - Gets or sets the database parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Gets or sets the database parameter size. - - - - - - Gets or sets the database parameter precision. - - - - - - Gets or sets the database parameter scale. - - - - - - Writes log messages to the database using an ADO.NET provider. - - Documentation on NLog Wiki - - - The configuration is dependent on the database type, because - there are differnet methods of specifying connection string, SQL - command and command parameters. - - MS SQL Server using System.Data.SqlClient: - - Oracle using System.Data.OracleClient: - - Oracle using System.Data.OleDBClient: - - To set up the log target programmatically use code like this (an equivalent of MSSQL configuration): - - - - - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the database. It creates - a new database command, prepares parameters for it by calculating - layouts and executes the command. - - The logging event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Gets or sets the name of the database provider. - - - - The parameter name should be a provider invariant name as registered in machine.config or app.config. Common values are: - -
    -
  • System.Data.SqlClient - SQL Sever Client
  • -
  • System.Data.SqlServerCe.3.5 - SQL Sever Compact 3.5
  • -
  • System.Data.OracleClient - Oracle Client from Microsoft (deprecated in .NET Framework 4)
  • -
  • Oracle.DataAccess.Client - ODP.NET provider from Oracle
  • -
  • System.Data.SQLite - System.Data.SQLite driver for SQLite
  • -
  • Npgsql - Npgsql driver for PostgreSQL
  • -
  • MySql.Data.MySqlClient - MySQL Connector/Net
  • -
- (Note that provider invariant names are not supported on .NET Compact Framework). - - Alternatively the parameter value can be be a fully qualified name of the provider - connection type (class implementing ) or one of the following tokens: - -
    -
  • sqlserver, mssql, microsoft or msde - SQL Server Data Provider
  • -
  • oledb - OLEDB Data Provider
  • -
  • odbc - ODBC Data Provider
  • -
-
- -
- - - Gets or sets the name of the connection string (as specified in <connectionStrings> configuration section. - - - - - - Gets or sets the connection string. When provided, it overrides the values - specified in DBHost, DBUserName, DBPassword, DBDatabase. - - - - - - Gets or sets the connection string using for installation and uninstallation. If not provided, regular ConnectionString is being used. - - - - - - Gets the installation DDL commands. - - - - - - Gets the uninstallation DDL commands. - - - - - - Gets or sets a value indicating whether to keep the - database connection open between the log events. - - - - - - Gets or sets a value indicating whether to use database transactions. - Some data providers require this. - - - - - - Gets or sets the database host name. If the ConnectionString is not provided - this value will be used to construct the "Server=" part of the - connection string. - - - - - - Gets or sets the database user name. If the ConnectionString is not provided - this value will be used to construct the "User ID=" part of the - connection string. - - - - - - Gets or sets the database password. If the ConnectionString is not provided - this value will be used to construct the "Password=" part of the - connection string. - - - - - - Gets or sets the database name. If the ConnectionString is not provided - this value will be used to construct the "Database=" part of the - connection string. - - - - - - Gets or sets the text of the SQL command to be run on each log level. - - - Typically this is a SQL INSERT statement or a stored procedure call. - It should use the database-specific parameters (marked as @parameter - for SQL server or :parameter for Oracle, other data providers - have their own notation) and not the layout renderers, - because the latter is prone to SQL injection attacks. - The layout renderers should be specified as <parameter /> elements instead. - - - - - - Gets or sets the type of the SQL command to be run on each log level. - - - This specifies how the command text is interpreted, as "Text" (default) or as "StoredProcedure". - When using the value StoredProcedure, the commandText-property would - normally be the name of the stored procedure. TableDirect method is not supported in this context. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a database named or positional parameter. - - - - - - Writes log messages to the attached managed debugger. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the attached debugger. - - The logging event. - - - - Mock target - useful for testing. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Increases the number of messages. - - The logging event. - - - - Gets the number of times this target has been called. - - - - - - Gets the last message rendered by this target. - - - - - - Writes log message to the Event Log. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Initializes the target. - - - - - Writes the specified logging event to the event log. - - The logging event. - - - - Gets or sets the name of the machine on which Event Log service is running. - - - - - - Gets or sets the layout that renders event ID. - - - - - - Gets or sets the layout that renders event Category. - - - - - - Gets or sets the value to be used as the event Source. - - - By default this is the friendly name of the current AppDomain. - - - - - - Gets or sets the name of the Event Log to write to. This can be System, Application or - any user-defined name. - - - - - - Modes of archiving files based on time. - - - - - Don't archive based on time. - - - - - Archive every year. - - - - - Archive every month. - - - - - Archive daily. - - - - - Archive every hour. - - - - - Archive every minute. - - - - - Writes log messages to one or more files. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Removes records of initialized files that have not been - accessed in the last two days. - - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Removes records of initialized files that have not been - accessed after the specified date. - - The cleanup threshold. - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Flushes all pending file operations. - - The asynchronous continuation. - - The timeout parameter is ignored, because file APIs don't provide - the needed functionality. - - - - - Initializes file logging by creating data structures that - enable efficient multi-file logging. - - - - - Closes the file(s) opened for writing. - - - - - Writes the specified logging event to a file specified in the FileName - parameter. - - The logging event. - - - - Writes the specified array of logging events to a file specified in the FileName - parameter. - - An array of objects. - - This function makes use of the fact that the events are batched by sorting - the requests by filename. This optimizes the number of open/close calls - and can help improve performance. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the bytes to be written to the file. - - Log event. - Array of bytes that are ready to be written. - - - - Modifies the specified byte array before it gets sent to a file. - - The byte array. - The modified byte array. The function can do the modification in-place. - - - - Gets or sets the name of the file to write to. - - - This FileName string is a layout which may include instances of layout renderers. - This lets you use a single target to write to multiple files. - - - The following value makes NLog write logging events to files based on the log level in the directory where - the application runs. - ${basedir}/${level}.log - All Debug messages will go to Debug.log, all Info messages will go to Info.log and so on. - You can combine as many of the layout renderers as you want to produce an arbitrary log file name. - - - - - - Gets or sets a value indicating whether to create directories if they don't exist. - - - Setting this to false may improve performance a bit, but you'll receive an error - when attempting to write to a directory that's not present. - - - - - - Gets or sets a value indicating whether to delete old log file on startup. - - - This option works only when the "FileName" parameter denotes a single file. - - - - - - Gets or sets a value indicating whether to replace file contents on each write instead of appending log message at the end. - - - - - - Gets or sets a value indicating whether to keep log file open instead of opening and closing it on each logging event. - - - Setting this property to True helps improve performance. - - - - - - Gets or sets a value indicating whether to enable log file(s) to be deleted. - - - - - - Gets or sets a value specifying the date format to use when archving files. - - - This option works only when the "ArchiveNumbering" parameter is set to Date. - - - - - - Gets or sets the file attributes (Windows only). - - - - - - Gets or sets the line ending mode. - - - - - - Gets or sets a value indicating whether to automatically flush the file buffers after each log message. - - - - - - Gets or sets the number of files to be kept open. Setting this to a higher value may improve performance - in a situation where a single File target is writing to many files - (such as splitting by level or by logger). - - - The files are managed on a LRU (least recently used) basis, which flushes - the files that have not been used for the longest period of time should the - cache become full. As a rule of thumb, you shouldn't set this parameter to - a very high value. A number like 10-15 shouldn't be exceeded, because you'd - be keeping a large number of files open which consumes system resources. - - - - - - Gets or sets the maximum number of seconds that files are kept open. If this number is negative the files are - not automatically closed after a period of inactivity. - - - - - - Gets or sets the log file buffer size in bytes. - - - - - - Gets or sets the file encoding. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. - - - This makes multi-process logging possible. NLog uses a special technique - that lets it keep the files open for writing. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on different network hosts. - - - This effectively prevents files from being kept open. - - - - - - Gets or sets the number of times the write is appended on the file before NLog - discards the log message. - - - - - - Gets or sets the delay in milliseconds to wait before attempting to write to the file again. - - - The actual delay is a random value between 0 and the value specified - in this parameter. On each failed attempt the delay base is doubled - up to times. - - - Assuming that ConcurrentWriteAttemptDelay is 10 the time to wait will be:

- a random value between 0 and 10 milliseconds - 1st attempt
- a random value between 0 and 20 milliseconds - 2nd attempt
- a random value between 0 and 40 milliseconds - 3rd attempt
- a random value between 0 and 80 milliseconds - 4th attempt
- ...

- and so on. - - - - -

- Gets or sets the size in bytes above which log files will be automatically archived. - - - Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. - - -
- - - Gets or sets a value indicating whether to automatically archive log files every time the specified time passes. - - - Files are moved to the archive as part of the write operation if the current period of time changes. For example - if the current hour changes from 10 to 11, the first write that will occur - on or after 11:00 will trigger the archiving. -

- Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. -

-
- -
- - - Gets or sets the name of the file to be used for an archive. - - - It may contain a special placeholder {#####} - that will be replaced with a sequence of numbers depending on - the archiving strategy. The number of hash characters used determines - the number of numerical digits to be used for numbering files. - - - - - - Gets or sets the maximum number of archive files that should be kept. - - - - - - Gets ors set a value indicating whether a managed file stream is forced, instead of used the native implementation. - - - - - Gets or sets the way file archives are numbered. - - - - - - Gets the characters that are appended after each line. - - - - true if the file has been moved successfully - - - - Logs text to Windows.Forms.Control.Text property control of specified Name. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The result is: -

- -

- To set up the log target programmatically similar to above use code like this: -

- , -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Log message to control. - - - The logging event. - - - - - Gets or sets the name of control to which NLog will log write log text. - - - - - - Gets or sets a value indicating whether log text should be appended to the text of the control instead of overwriting it. - - - - - Gets or sets the name of the Form on which the control is located. - - - - - - Gets or sets whether new log entry are added to the start or the end of the control - - - - - Line ending mode. - - - - - Insert platform-dependent end-of-line sequence after each line. - - - - - Insert CR LF sequence (ASCII 13, ASCII 10) after each line. - - - - - Insert CR character (ASCII 13) after each line. - - - - - Insert LF character (ASCII 10) after each line. - - - - - Don't insert any line ending. - - - - - Sends log messages to a NLog Receiver Service (using WCF or Web Services). - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Called when log events are being sent (test hook). - - The events. - The async continuations. - True if events should be sent, false to stop processing them. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Append" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Creating a new instance of WcfLogReceiverClient - - Inheritors can override this method and provide their own - service configuration - binding and endpoint address - - - - - - Gets or sets the endpoint address. - - The endpoint address. - - - - - Gets or sets the name of the endpoint configuration in WCF configuration file. - - The name of the endpoint configuration. - - - - - Gets or sets a value indicating whether to use binary message encoding. - - - - - - Gets or sets the client ID. - - The client ID. - - - - - Gets the list of parameters. - - The parameters. - - - - - Gets or sets a value indicating whether to include per-event properties in the payload sent to the server. - - - - - - Sends log messages by email using SMTP protocol. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- Mail target works best when used with BufferingWrapper target - which lets you send multiple log messages in single mail -

-

- To set up the buffered mail target in the configuration file, - use the following syntax: -

- -

- To set up the buffered mail target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Renders an array logging events. - - Array of logging events. - - - - Gets or sets sender's email address (e.g. joe@domain.com). - - - - - - Gets or sets recipients' email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets CC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets BCC email addresses separated by semicolons (e.g. john@domain.com;jane@domain.com). - - - - - - Gets or sets a value indicating whether to add new lines between log entries. - - A value of true if new lines should be added; otherwise, false. - - - - - Gets or sets the mail subject. - - - - - - Gets or sets mail message body (repeated for each log message send in one mail). - - Alias for the Layout property. - - - - - Gets or sets encoding to be used for sending e-mail. - - - - - - Gets or sets a value indicating whether to send message as HTML instead of plain text. - - - - - - Gets or sets SMTP Server to be used for sending. - - - - - - Gets or sets SMTP Authentication mode. - - - - - - Gets or sets the username used to connect to SMTP server (used when SmtpAuthentication is set to "basic"). - - - - - - Gets or sets the password used to authenticate against SMTP server (used when SmtpAuthentication is set to "basic"). - - - - - - Gets or sets a value indicating whether SSL (secure sockets layer) should be used when communicating with SMTP server. - - - - - - Gets or sets the port number that SMTP Server is listening on. - - - - - - Gets or sets a value indicating whether the default Settings from System.Net.MailSettings should be used. - - - - - - Gets or sets the priority used for sending mails. - - - - - Gets or sets a value indicating whether NewLine characters in the body should be replaced with
tags. -
- Only happens when is set to true. -
- - - Gets or sets a value indicating the SMTP client timeout. - - - - - Writes log messages to an ArrayList in memory for programmatic retrieval. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Gets the list of logs gathered in the . - - - - - Pops up log messages as message boxes. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- The result is a message box: -

- -

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Displays the message box with the log message and caption specified in the Caption - parameter. - - The logging event. - - - - Displays the message box with the array of rendered logs messages and caption specified in the Caption - parameter. - - The array of logging events. - - - - Gets or sets the message box title. - - - - - - A parameter to MethodCall. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout to use for parameter value. - - - - Initializes a new instance of the class. - - Name of the parameter. - The layout. - - - - Initializes a new instance of the class. - - The name of the parameter. - The layout. - The type of the parameter. - - - - Gets or sets the name of the parameter. - - - - - - Gets or sets the type of the parameter. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Calls the specified static method on each log message and passes contextual parameters to it. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - The base class for all targets which call methods (local or remote). - Manages parameters and type coercion. - - - - - Initializes a new instance of the class. - - - - - Prepares an array of parameters to be passed based on the logging event and calls DoInvoke(). - - - The logging event. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - The continuation. - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Gets the array of parameters to be passed. - - - - - - Initializes the target. - - - - - Calls the specified Method. - - Method parameters. - - - - Gets or sets the class name. - - - - - - Gets or sets the method name. The method must be public and static. - - - - - - Action that should be taken if the message overflows. - - - - - Report an error. - - - - - Split the message into smaller pieces. - - - - - Discard the entire message. - - - - - Represents a parameter to a NLogViewer target. - - - - - Initializes a new instance of the class. - - - - - Gets or sets viewer parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Discards log messages. Used mainly for debugging and benchmarking. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Does nothing. Optionally it calculates the layout text but - discards the results. - - The logging event. - - - - Gets or sets a value indicating whether to perform layout calculation. - - - - - - Outputs log messages through the OutputDebugString() Win32 API. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Outputs the rendered logging event through the OutputDebugString() Win32 API. - - The logging event. - - - - Increments specified performance counter on each write. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
- - TODO: - 1. Unable to create a category allowing multiple counter instances (.Net 2.0 API only, probably) - 2. Is there any way of adding new counters without deleting the whole category? - 3. There should be some mechanism of resetting the counter (e.g every day starts from 0), or auto-switching to - another counter instance (with dynamic creation of new instance). This could be done with layouts. - -
- - - Initializes a new instance of the class. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Increments the configured performance counter. - - Log event. - - - - Closes the target and releases any unmanaged resources. - - - - - Ensures that the performance counter has been initialized. - - True if the performance counter is operational, false otherwise. - - - - Gets or sets a value indicating whether performance counter should be automatically created. - - - - - - Gets or sets the name of the performance counter category. - - - - - - Gets or sets the name of the performance counter. - - - - - - Gets or sets the performance counter instance name. - - - - - - Gets or sets the counter help text. - - - - - - Gets or sets the performance counter type. - - - - - - The row-coloring condition. - - - - - Initializes static members of the RichTextBoxRowColoringRule class. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The condition. - Color of the foregroung text. - Color of the background text. - The font style. - - - - Initializes a new instance of the class. - - The condition. - Color of the text. - Color of the background. - - - - Checks whether the specified log event matches the condition (if any). - - - Log event. - - - A value of if the condition is not defined or - if it matches, otherwise. - - - - - Gets the default highlighting rule. Doesn't change the color. - - - - - - Gets or sets the condition that must be met in order to set the specified font color. - - - - - - Gets or sets the font color. - - - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - Gets or sets the background color. - - - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - Gets or sets the font style of matched text. - - - Possible values are the same as in FontStyle enum in System.Drawing - - - - - - Log text a Rich Text Box control in an existing or new form. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The result is: -

- To set up the target with coloring rules in the configuration file, - use the following syntax: -

- - - -

- The result is: -

- To set up the log target programmatically similar to above use code like this: -

- - , - - - for RowColoring, - - - for WordColoring -
-
- - - Initializes static members of the RichTextBoxTarget class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Log message to RichTextBox. - - The logging event. - - - - Gets the default set of row coloring rules which applies when is set to true. - - - - - Gets or sets the Name of RichTextBox to which Nlog will write. - - - - - - Gets or sets the name of the Form on which the control is located. - If there is no open form of a specified name than NLog will create a new one. - - - - - - Gets or sets a value indicating whether to use default coloring rules. - - - - - - Gets the row coloring rules. - - - - - - Gets the word highlighting rules. - - - - - - Gets or sets a value indicating whether the created window will be a tool window. - - - This parameter is ignored when logging to existing form control. - Tool windows have thin border, and do not show up in the task bar. - - - - - - Gets or sets a value indicating whether the created form will be initially minimized. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets the initial width of the form with rich text box. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets the initial height of the form with rich text box. - - - This parameter is ignored when logging to existing form control. - - - - - - Gets or sets a value indicating whether scroll bar will be moved automatically to show most recent log entries. - - - - - - Gets or sets the maximum number of lines the rich text box will store (or 0 to disable this feature). - - - After exceeding the maximum number, first line will be deleted. - - - - - - Gets or sets the form to log to. - - - - - Gets or sets the rich text box to log to. - - - - - Highlighting rule for Win32 colorful console. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the text. - Color of the background. - - - - Initializes a new instance of the class. - - The text to be matched.. - Color of the text. - Color of the background. - The font style. - - - - Gets or sets the regular expression to be matched. You must specify either text or regex. - - - - - - Gets or sets the text to be matched. You must specify either text or regex. - - - - - - Gets or sets a value indicating whether to match whole words only. - - - - - - Gets or sets a value indicating whether to ignore case when comparing texts. - - - - - - Gets or sets the font style of matched text. - Possible values are the same as in FontStyle enum in System.Drawing. - - - - - - Gets the compiled regular expression that matches either Text or Regex property. - - - - - Gets or sets the font color. - Names are identical with KnownColor enum extended with Empty value which means that font color won't be changed. - - - - - - Gets or sets the background color. - Names are identical with KnownColor enum extended with Empty value which means that background color won't be changed. - - - - - - SMTP authentication modes. - - - - - No authentication. - - - - - Basic - username and password. - - - - - NTLM Authentication. - - - - - Marks class as a logging target and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the target. - - - - Gets or sets a value indicating whether to the target is a wrapper target (used to generate the target summary documentation page). - - - - - Gets or sets a value indicating whether to the target is a compound target (used to generate the target summary documentation page). - - - - - Sends log messages through System.Diagnostics.Trace. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Writes the specified logging event to the facility. - If the log level is greater than or equal to it uses the - method, otherwise it uses - method. - - The logging event. - - - - Web service protocol. - - - - - Use SOAP 1.1 Protocol. - - - - - Use SOAP 1.2 Protocol. - - - - - Use HTTP POST Protocol. - - - - - Use HTTP GET Protocol. - - - - - Calls the specified web service on each log message. - - Documentation on NLog Wiki - - The web service must implement a method that accepts a number of string parameters. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

The example web service that works with this example is shown below

- -
-
- - - Initializes a new instance of the class. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Invokes the web service method. - - Parameters to be passed. - The continuation. - - - - Gets or sets the web service URL. - - - - - - Gets or sets the Web service method name. - - - - - - Gets or sets the Web service namespace. - - - - - - Gets or sets the protocol to be used when calling web service. - - - - - - Gets or sets the encoding. - - - - - - Win32 file attributes. - - - For more information see http://msdn.microsoft.com/library/default.asp?url=/library/en-us/fileio/fs/createfile.asp. - - - - - Read-only file. - - - - - Hidden file. - - - - - System file. - - - - - File should be archived. - - - - - Device file. - - - - - Normal file. - - - - - File is temporary (should be kept in cache and not - written to disk if possible). - - - - - Sparse file. - - - - - Reparse point. - - - - - Compress file contents. - - - - - File should not be indexed by the content indexing service. - - - - - Encrypted file. - - - - - The system writes through any intermediate cache and goes directly to disk. - - - - - The system opens a file with no system caching. - - - - - Delete file after it is closed. - - - - - A file is accessed according to POSIX rules. - - - - - Asynchronous request queue. - - - - - Initializes a new instance of the AsyncRequestQueue class. - - Request limit. - The overflow action. - - - - Enqueues another item. If the queue is overflown the appropriate - action is taken as specified by . - - The log event info. - - - - Dequeues a maximum of count items from the queue - and adds returns the list containing them. - - Maximum number of items to be dequeued. - The array of log events. - - - - Clears the queue. - - - - - Gets or sets the request limit. - - - - - Gets or sets the action to be taken when there's no more room in - the queue and another request is enqueued. - - - - - Gets the number of requests currently in the queue. - - - - - Provides asynchronous, buffered execution of target writes. - - Documentation on NLog Wiki - -

- Asynchronous target wrapper allows the logger code to execute more quickly, by queueing - messages and processing them in a separate thread. You should wrap targets - that spend a non-trivial amount of time in their Write() method with asynchronous - target to speed up logging. -

-

- Because asynchronous logging is quite a common scenario, NLog supports a - shorthand notation for wrapping all targets with AsyncWrapper. Just add async="true" to - the <targets/> element in the configuration file. -

- - - ... your targets go here ... - - ]]> -
- -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Base class for targets wrap other (single) targets. - - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Gets or sets the target that is wrapped by this target. - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Maximum number of requests in the queue. - The action to be taken when the queue overflows. - - - - Waits for the lazy writer thread to finish writing messages. - - The asynchronous continuation. - - - - Initializes the target by starting the lazy writer timer. - - - - - Shuts down the lazy writer timer. - - - - - Starts the lazy writer thread which periodically writes - queued log messages. - - - - - Starts the lazy writer thread. - - - - - Adds the log event to asynchronous queue to be processed by - the lazy writer thread. - - The log event. - - The is called - to ensure that the log event can be processed in another thread. - - - - - Gets or sets the number of log events that should be processed in a batch - by the lazy writer thread. - - - - - - Gets or sets the time in milliseconds to sleep between batches. - - - - - - Gets or sets the action to be taken when the lazy writer thread request queue count - exceeds the set limit. - - - - - - Gets or sets the limit on the number of requests in the lazy writer thread request queue. - - - - - - Gets the queue of lazy writer thread requests. - - - - - The action to be taken when the queue overflows. - - - - - Grow the queue. - - - - - Discard the overflowing item. - - - - - Block until there's more room in the queue. - - - - - Causes a flush after each write on a wrapped target. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Forwards the call to the .Write() - and calls on it. - - Logging event to be written out. - - - - A target that buffers log events and sends them in batches to the wrapped target. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - The flush timeout. - - - - Flushes pending events in the buffer (if any). - - The asynchronous continuation. - - - - Initializes the target. - - - - - Closes the target by flushing pending events in the buffer (if any). - - - - - Adds the specified log event to the buffer and flushes - the buffer in case the buffer gets full. - - The log event. - - - - Gets or sets the number of log events to be buffered. - - - - - - Gets or sets the timeout (in milliseconds) after which the contents of buffer will be flushed - if there's no write in the specified period of time. Use -1 to disable timed flushes. - - - - - - Gets or sets a value indicating whether to use sliding timeout. - - - This value determines how the inactivity period is determined. If sliding timeout is enabled, - the inactivity timer is reset after each write, if it is disabled - inactivity timer will - count from the first event written to the buffer. - - - - - - A base class for targets which wrap other (multiple) targets - and provide various forms of target routing. - - - - - Initializes a new instance of the class. - - The targets. - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Writes logging event to the log target. - - Logging event to be written out. - - - - Flush any pending log messages for all wrapped targets. - - The asynchronous continuation. - - - - Gets the collection of targets managed by this compound target. - - - - - Provides fallback-on-error. - - Documentation on NLog Wiki - -

This example causes the messages to be written to server1, - and if it fails, messages go to server2.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to the sub-targets until one of them succeeds. - - The log event. - - The method remembers the last-known-successful target - and starts the iteration from it. - If is set, the method - resets the target to the first target - stored in . - - - - - Gets or sets a value indicating whether to return to the first target after any successful write. - - - - - - Filtering rule for . - - - - - Initializes a new instance of the FilteringRule class. - - - - - Initializes a new instance of the FilteringRule class. - - Condition to be tested against all events. - Filter to apply to all log events when the first condition matches any of them. - - - - Gets or sets the condition to be tested. - - - - - - Gets or sets the resulting filter to be applied when the condition matches. - - - - - - Filters log entries based on a condition. - - Documentation on NLog Wiki - -

This example causes the messages not contains the string '1' to be ignored.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The condition. - - - - Checks the condition against the passed log event. - If the condition is met, the log event is forwarded to - the wrapped target. - - Log event. - - - - Gets or sets the condition expression. Log events who meet this condition will be forwarded - to the wrapped target. - - - - - - Impersonates another user for the duration of the write. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes the impersonation context. - - - - - Closes the impersonation context. - - - - - Changes the security context, forwards the call to the .Write() - and switches the context back to original. - - The log event. - - - - Changes the security context, forwards the call to the .Write() - and switches the context back to original. - - Log events. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Gets or sets username to change context to. - - - - - - Gets or sets the user account password. - - - - - - Gets or sets Windows domain name to change context to. - - - - - - Gets or sets the Logon Type. - - - - - - Gets or sets the type of the logon provider. - - - - - - Gets or sets the required impersonation level. - - - - - - Gets or sets a value indicating whether to revert to the credentials of the process instead of impersonating another user. - - - - - - Helper class which reverts the given - to its original value as part of . - - - - - Initializes a new instance of the class. - - The windows impersonation context. - - - - Reverts the impersonation context. - - - - - Logon provider. - - - - - Use the standard logon provider for the system. - - - The default security provider is negotiate, unless you pass NULL for the domain name and the user name - is not in UPN format. In this case, the default provider is NTLM. - NOTE: Windows 2000/NT: The default security provider is NTLM. - - - - - Filters buffered log entries based on a set of conditions that are evaluated on a group of events. - - Documentation on NLog Wiki - - PostFilteringWrapper must be used with some type of buffering target or wrapper, such as - AsyncTargetWrapper, BufferingWrapper or ASPNetBufferingWrapper. - - -

- This example works like this. If there are no Warn,Error or Fatal messages in the buffer - only Info messages are written to the file, but if there are any warnings or errors, - the output includes detailed trace (levels >= Debug). You can plug in a different type - of buffering wrapper (such as ASPNetBufferingWrapper) to achieve different - functionality. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Evaluates all filtering rules to find the first one that matches. - The matching rule determines the filtering condition to be applied - to all items in a buffer. If no condition matches, default filter - is applied to the array of log events. - - Array of log events to be post-filtered. - - - - Gets or sets the default filter to be applied when no specific rule matches. - - - - - - Gets the collection of filtering rules. The rules are processed top-down - and the first rule that matches determines the filtering condition to - be applied to log events. - - - - - - Sends log messages to a randomly selected target. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt - chosen randomly on a per-message basis. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to one of the sub-targets. - The sub-target is randomly chosen. - - The log event. - - - - Repeats each log event the specified number of times. - - Documentation on NLog Wiki - -

This example causes each log message to be repeated 3 times.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The repeat count. - - - - Forwards the log message to the by calling the method times. - - The log event. - - - - Gets or sets the number of times to repeat each log message. - - - - - - Retries in case of write error. - - Documentation on NLog Wiki - -

This example causes each write attempt to be repeated 3 times, - sleeping 1 second between attempts if first one fails.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The retry count. - The retry delay milliseconds. - - - - Writes the specified log event to the wrapped target, retrying and pausing in case of an error. - - The log event. - - - - Gets or sets the number of retries that should be attempted on the wrapped target in case of a failure. - - - - - - Gets or sets the time to wait between retries in milliseconds. - - - - - - Distributes log events to targets in a round-robin fashion. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt. - Each odd message is written to file2.txt, each even message goes to file1.txt. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the write to one of the targets from - the collection. - - The log event. - - The writes are routed in a round-robin fashion. - The first log event goes to the first target, the second - one goes to the second target and so on looping to the - first target when there are no more targets available. - In general request N goes to Targets[N % Targets.Count]. - - - - - Impersonation level. - - - - - Anonymous Level. - - - - - Identification Level. - - - - - Impersonation Level. - - - - - Delegation Level. - - - - - Logon type. - - - - - Interactive Logon. - - - This logon type is intended for users who will be interactively using the computer, such as a user being logged on - by a terminal server, remote shell, or similar process. - This logon type has the additional expense of caching logon information for disconnected operations; - therefore, it is inappropriate for some client/server applications, - such as a mail server. - - - - - Network Logon. - - - This logon type is intended for high performance servers to authenticate plaintext passwords. - The LogonUser function does not cache credentials for this logon type. - - - - - Batch Logon. - - - This logon type is intended for batch servers, where processes may be executing on behalf of a user without - their direct intervention. This type is also for higher performance servers that process many plaintext - authentication attempts at a time, such as mail or Web servers. - The LogonUser function does not cache credentials for this logon type. - - - - - Logon as a Service. - - - Indicates a service-type logon. The account provided must have the service privilege enabled. - - - - - Network Clear Text Logon. - - - This logon type preserves the name and password in the authentication package, which allows the server to make - connections to other network servers while impersonating the client. A server can accept plaintext credentials - from a client, call LogonUser, verify that the user can access the system across the network, and still - communicate with other servers. - NOTE: Windows NT: This value is not supported. - - - - - New Network Credentials. - - - This logon type allows the caller to clone its current token and specify new credentials for outbound connections. - The new logon session has the same local identifier but uses different credentials for other network connections. - NOTE: This logon type is supported only by the LOGON32_PROVIDER_WINNT50 logon provider. - NOTE: Windows NT: This value is not supported. - - - - - Writes log events to all targets. - - Documentation on NLog Wiki - -

This example causes the messages to be written to both file1.txt or file2.txt -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the specified log event to all sub-targets. - - The log event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Current local time retrieved directly from DateTime.Now. - - - - - Defines source of current time. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets current time. - - - - - Gets or sets current global time source used in all log events. - - - Default time source is . - - - - - Gets current local time directly from DateTime.Now. - - - - - Current UTC time retrieved directly from DateTime.UtcNow. - - - - - Gets current UTC time directly from DateTime.UtcNow. - - - - - Fast time source that updates current time only once per tick (15.6 milliseconds). - - - - - Gets raw uncached time from derived time source. - - - - - Gets current time cached for one system tick (15.6 milliseconds). - - - - - Fast local time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached local time directly from DateTime.Now. - - - - - Fast UTC time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached UTC time directly from DateTime.UtcNow. - - - - - Marks class as a time source and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the time source. - -
-
diff --git a/packages/NLog.3.1.0.0/lib/sl4/NLog.dll b/packages/NLog.3.1.0.0/lib/sl4/NLog.dll deleted file mode 100644 index 00d2619..0000000 Binary files a/packages/NLog.3.1.0.0/lib/sl4/NLog.dll and /dev/null differ diff --git a/packages/NLog.3.1.0.0/lib/sl4/NLog.xml b/packages/NLog.3.1.0.0/lib/sl4/NLog.xml deleted file mode 100644 index 216f117..0000000 --- a/packages/NLog.3.1.0.0/lib/sl4/NLog.xml +++ /dev/null @@ -1,10254 +0,0 @@ - - - - NLog - - - - - Indicates that the value of the marked element could be null sometimes, - so the check for null is necessary before its usage - - - [CanBeNull] public object Test() { return null; } - public void UseTest() { - var p = Test(); - var s = p.ToString(); // Warning: Possible 'System.NullReferenceException' - } - - - - - Indicates that the value of the marked element could never be null - - - [NotNull] public object Foo() { - return null; // Warning: Possible 'null' assignment - } - - - - - Indicates that the marked method builds string by format pattern and (optional) arguments. - Parameter, which contains format string, should be given in constructor. The format string - should be in -like form - - - [StringFormatMethod("message")] - public void ShowError(string message, params object[] args) { /* do something */ } - public void Foo() { - ShowError("Failed: {0}"); // Warning: Non-existing argument in format string - } - - - - - Specifies which parameter of an annotated method should be treated as format-string - - - - - Indicates that the function argument should be string literal and match one - of the parameters of the caller function. For example, ReSharper annotates - the parameter of - - - public void Foo(string param) { - if (param == null) - throw new ArgumentNullException("par"); // Warning: Cannot resolve symbol - } - - - - - Indicates that the method is contained in a type that implements - interface - and this method is used to notify that some property value changed - - - The method should be non-static and conform to one of the supported signatures: - - NotifyChanged(string) - NotifyChanged(params string[]) - NotifyChanged{T}(Expression{Func{T}}) - NotifyChanged{T,U}(Expression{Func{T,U}}) - SetProperty{T}(ref T, T, string) - - - - internal class Foo : INotifyPropertyChanged { - public event PropertyChangedEventHandler PropertyChanged; - [NotifyPropertyChangedInvocator] - protected virtual void NotifyChanged(string propertyName) { ... } - - private string _name; - public string Name { - get { return _name; } - set { _name = value; NotifyChanged("LastName"); /* Warning */ } - } - } - - Examples of generated notifications: - - NotifyChanged("Property") - NotifyChanged(() => Property) - NotifyChanged((VM x) => x.Property) - SetProperty(ref myField, value, "Property") - - - - - - Describes dependency between method input and output - - -

Function Definition Table syntax:

- - FDT ::= FDTRow [;FDTRow]* - FDTRow ::= Input => Output | Output <= Input - Input ::= ParameterName: Value [, Input]* - Output ::= [ParameterName: Value]* {halt|stop|void|nothing|Value} - Value ::= true | false | null | notnull | canbenull - - If method has single input parameter, it's name could be omitted.
- Using halt (or void/nothing, which is the same) - for method output means that the methos doesn't return normally.
- canbenull annotation is only applicable for output parameters.
- You can use multiple [ContractAnnotation] for each FDT row, - or use single attribute with rows separated by semicolon.
-
- - - [ContractAnnotation("=> halt")] - public void TerminationMethod() - - - [ContractAnnotation("halt <= condition: false")] - public void Assert(bool condition, string text) // regular assertion method - - - [ContractAnnotation("s:null => true")] - public bool IsNullOrEmpty(string s) // string.IsNullOrEmpty() - - - // A method that returns null if the parameter is null, and not null if the parameter is not null - [ContractAnnotation("null => null; notnull => notnull")] - public object Transform(object data) - - - [ContractAnnotation("s:null=>false; =>true,result:notnull; =>false, result:null")] - public bool TryParse(string s, out Person result) - - -
- - - Indicates that marked element should be localized or not - - - [LocalizationRequiredAttribute(true)] - internal class Foo { - private string str = "my string"; // Warning: Localizable string - } - - - - - Indicates that the value of the marked type (or its derivatives) - cannot be compared using '==' or '!=' operators and Equals() - should be used instead. However, using '==' or '!=' for comparison - with null is always permitted. - - - [CannotApplyEqualityOperator] - class NoEquality { } - class UsesNoEquality { - public void Test() { - var ca1 = new NoEquality(); - var ca2 = new NoEquality(); - if (ca1 != null) { // OK - bool condition = ca1 == ca2; // Warning - } - } - } - - - - - When applied to a target attribute, specifies a requirement for any type marked - with the target attribute to implement or inherit specific type or types. - - - [BaseTypeRequired(typeof(IComponent)] // Specify requirement - internal class ComponentAttribute : Attribute { } - [Component] // ComponentAttribute requires implementing IComponent interface - internal class MyComponent : IComponent { } - - - - - Indicates that the marked symbol is used implicitly - (e.g. via reflection, in external library), so this symbol - will not be marked as unused (as well as by other usage inspections) - - - - - Should be used on attributes and causes ReSharper - to not mark symbols marked with such attributes as unused - (as well as by other usage inspections) - - - - Only entity marked with attribute considered used - - - Indicates implicit assignment to a member - - - - Indicates implicit instantiation of a type with fixed constructor signature. - That means any unused constructor parameters won't be reported as such. - - - - Indicates implicit instantiation of a type - - - - Specify what is considered used implicitly - when marked with - or - - - - Members of entity marked with attribute are considered used - - - Entity marked with attribute and all its members considered used - - - - This attribute is intended to mark publicly available API - which should not be removed and so is treated as used - - - - - Tells code analysis engine if the parameter is completely handled - when the invoked method is on stack. If the parameter is a delegate, - indicates that delegate is executed while the method is executed. - If the parameter is an enumerable, indicates that it is enumerated - while the method is executed - - - - - Indicates that a method does not make any observable state changes. - The same as System.Diagnostics.Contracts.PureAttribute - - - [Pure] private int Multiply(int x, int y) { return x * y; } - public void Foo() { - const int a = 2, b = 2; - Multiply(a, b); // Waring: Return value of pure method is not used - } - - - - - Indicates that a parameter is a path to a file or a folder - within a web project. Path can be relative or absolute, - starting from web root (~) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC action. If applied to a method, the MVC action name is calculated - implicitly from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC area. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC controller. If applied to a method, - the MVC controller name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC Master. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC model type. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, Object) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC partial view. If applied to a method, - the MVC partial view name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.RenderPartialExtensions.RenderPartial(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Allows disabling all inspections - for MVC views within a class or a method. - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC display template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.DisplayExtensions.DisplayForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC editor template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.EditorExtensions.EditorForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC template. - Use this attribute for custom wrappers similar to - System.ComponentModel.DataAnnotations.UIHintAttribute(System.String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC view. If applied to a method, the MVC view name is calculated implicitly - from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(Object) - - - - - ASP.NET MVC attribute. When applied to a parameter of an attribute, - indicates that this parameter is an MVC action name - - - [ActionName("Foo")] - public ActionResult Login(string returnUrl) { - ViewBag.ReturnUrl = Url.Action("Foo"); // OK - return RedirectToAction("Bar"); // Error: Cannot resolve action - } - - - - - Razor attribute. Indicates that a parameter or a method is a Razor section. - Use this attribute for custom wrappers similar to - System.Web.WebPages.WebPageBase.RenderSection(String) - - - - - Asynchronous continuation delegate - function invoked at the end of asynchronous - processing. - - Exception during asynchronous processing or null if no exception - was thrown. - - - - Helpers for asynchronous operations. - - - - - Iterates over all items in the given collection and runs the specified action - in sequence (each action executes only after the preceding one has completed without an error). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Repeats the specified asynchronous action multiple times and invokes asynchronous continuation at the end. - - The repeat count. - The asynchronous continuation to invoke at the end. - The action to invoke. - - - - Modifies the continuation by pre-pending given action to execute just before it. - - The async continuation. - The action to pre-pend. - Continuation which will execute the given action before forwarding to the actual continuation. - - - - Attaches a timeout to a continuation which will invoke the continuation when the specified - timeout has elapsed. - - The asynchronous continuation. - The timeout. - Wrapped continuation. - - - - Iterates over all items in the given collection and runs the specified action - in parallel (each action executes on a thread from thread pool). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Runs the specified asynchronous action synchronously (blocks until the continuation has - been invoked). - - The action. - - Using this method is not recommended because it will block the calling thread. - - - - - Wraps the continuation with a guard which will only make sure that the continuation function - is invoked only once. - - The asynchronous continuation. - Wrapped asynchronous continuation. - - - - Gets the combined exception from all exceptions in the list. - - The exceptions. - Combined exception or null if no exception was thrown. - - - - Asynchronous action. - - Continuation to be invoked at the end of action. - - - - Asynchronous action with one argument. - - Type of the argument. - Argument to the action. - Continuation to be invoked at the end of action. - - - - Represents the logging event with asynchronous continuation. - - - - - Initializes a new instance of the struct. - - The log event. - The continuation. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - A value of true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the log event. - - - - - Gets the continuation. - - - - - NLog internal logger. - - - - - Initializes static members of the InternalLogger class. - - - - - Logs the specified message at the specified level. - - Log level. - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the specified level. - - Log level. - Log message. - - - - Logs the specified message at the Trace level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Trace level. - - Log message. - - - - Logs the specified message at the Debug level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Debug level. - - Log message. - - - - Logs the specified message at the Info level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Info level. - - Log message. - - - - Logs the specified message at the Warn level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Warn level. - - Log message. - - - - Logs the specified message at the Error level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Error level. - - Log message. - - - - Logs the specified message at the Fatal level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Fatal level. - - Log message. - - - - Gets or sets the internal log level. - - - - - Gets or sets a value indicating whether internal messages should be written to the console output stream. - - - - - Gets or sets a value indicating whether internal messages should be written to the console error stream. - - - - - Gets or sets the name of the internal log file. - - A value of value disables internal logging to a file. - - - - Gets or sets the text writer that will receive internal logs. - - - - - Gets or sets a value indicating whether timestamp should be included in internal log output. - - - - - Gets a value indicating whether internal log includes Trace messages. - - - - - Gets a value indicating whether internal log includes Debug messages. - - - - - Gets a value indicating whether internal log includes Info messages. - - - - - Gets a value indicating whether internal log includes Warn messages. - - - - - Gets a value indicating whether internal log includes Error messages. - - - - - Gets a value indicating whether internal log includes Fatal messages. - - - - - A cyclic buffer of object. - - - - - Initializes a new instance of the class. - - Buffer size. - Whether buffer should grow as it becomes full. - The maximum number of items that the buffer can grow to. - - - - Adds the specified log event to the buffer. - - Log event. - The number of items in the buffer. - - - - Gets the array of events accumulated in the buffer and clears the buffer as one atomic operation. - - Events in the buffer. - - - - Gets the number of items in the array. - - - - - Condition and expression. - - - - - Base class for representing nodes in condition expression trees. - - - - - Converts condition text to a condition expression tree. - - Condition text to be converted. - Condition expression tree. - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Initializes a new instance of the class. - - Left hand side of the AND expression. - Right hand side of the AND expression. - - - - Returns a string representation of this expression. - - A concatenated '(Left) and (Right)' string. - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the conjunction operator. - - - - Gets the left hand side of the AND expression. - - - - - Gets the right hand side of the AND expression. - - - - - Exception during evaluation of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Condition layout expression (represented by a string literal - with embedded ${}). - - - - - Initializes a new instance of the class. - - The layout. - - - - Returns a string representation of this expression. - - String literal in single quotes. - - - - Evaluates the expression by calculating the value - of the layout in the specified evaluation context. - - Evaluation context. - The value of the layout. - - - - Gets the layout. - - The layout. - - - - Condition level expression (represented by the level keyword). - - - - - Returns a string representation of the expression. - - The 'level' string. - - - - Evaluates to the current log level. - - Evaluation context. Ignored. - The object representing current log level. - - - - Condition literal expression (numeric, LogLevel.XXX, true or false). - - - - - Initializes a new instance of the class. - - Literal value. - - - - Returns a string representation of the expression. - - The literal value. - - - - Evaluates the expression. - - Evaluation context. - The literal value as passed in the constructor. - - - - Gets the literal value. - - The literal value. - - - - Condition logger name expression (represented by the logger keyword). - - - - - Returns a string representation of this expression. - - A logger string. - - - - Evaluates to the logger name. - - Evaluation context. - The logger name. - - - - Condition message expression (represented by the message keyword). - - - - - Returns a string representation of this expression. - - The 'message' string. - - - - Evaluates to the logger message. - - Evaluation context. - The logger message. - - - - Marks class as a log event Condition and assigns a name to it. - - - - - Attaches a simple name to an item (such as , - , , etc.). - - - - - Initializes a new instance of the class. - - The name of the item. - - - - Gets the name of the item. - - The name of the item. - - - - Initializes a new instance of the class. - - Condition method name. - - - - Condition method invocation expression (represented by method(p1,p2,p3) syntax). - - - - - Initializes a new instance of the class. - - Name of the condition method. - of the condition method. - The method parameters. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the method info. - - - - - Gets the method parameters. - - The method parameters. - - - - A bunch of utility methods (mostly predicates) which can be used in - condition expressions. Parially inspired by XPath 1.0. - - - - - Compares two values for equality. - - The first value. - The second value. - true when two objects are equal, false otherwise. - - - - Compares two strings for equality. - - The first string. - The second string. - Optional. If true, case is ignored; if false (default), case is significant. - true when two strings are equal, false otherwise. - - - - Gets or sets a value indicating whether the second string is a substring of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a substring of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a prefix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a suffix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Returns the length of a string. - - A string whose lengths is to be evaluated. - The length of the string. - - - - Marks the class as containing condition methods. - - - - - Condition not expression. - - - - - Initializes a new instance of the class. - - The expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the expression to be negated. - - The expression. - - - - Condition or expression. - - - - - Initializes a new instance of the class. - - Left hand side of the OR expression. - Right hand side of the OR expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the alternative operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Exception during parsing of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Condition parser. Turns a string representation of condition expression - into an expression tree. - - - - - Initializes a new instance of the class. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - Instance of used to resolve references to condition methods and layout renderers. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - - Condition relational (==, !=, <, <=, - > or >=) expression. - - - - - Initializes a new instance of the class. - - The left expression. - The right expression. - The relational operator. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Compares the specified values using specified relational operator. - - The first value. - The second value. - The relational operator. - Result of the given relational operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Gets the relational operator. - - The operator. - - - - Relational operators used in conditions. - - - - - Equality (==). - - - - - Inequality (!=). - - - - - Less than (<). - - - - - Greater than (>). - - - - - Less than or equal (<=). - - - - - Greater than or equal (>=). - - - - - Hand-written tokenizer for conditions. - - - - - Initializes a new instance of the class. - - The string reader. - - - - Asserts current token type and advances to the next token. - - Expected token type. - If token type doesn't match, an exception is thrown. - - - - Asserts that current token is a keyword and returns its value and advances to the next token. - - Keyword value. - - - - Gets or sets a value indicating whether current keyword is equal to the specified value. - - The keyword. - - A value of true if current keyword is equal to the specified value; otherwise, false. - - - - - Gets or sets a value indicating whether the tokenizer has reached the end of the token stream. - - - A value of true if the tokenizer has reached the end of the token stream; otherwise, false. - - - - - Gets or sets a value indicating whether current token is a number. - - - A value of true if current token is a number; otherwise, false. - - - - - Gets or sets a value indicating whether the specified token is of specified type. - - The token type. - - A value of true if current token is of specified type; otherwise, false. - - - - - Gets the next token and sets and properties. - - - - - Gets the token position. - - The token position. - - - - Gets the type of the token. - - The type of the token. - - - - Gets the token value. - - The token value. - - - - Gets the value of a string token. - - The string token value. - - - - Mapping between characters and token types for punctuations. - - - - - Initializes a new instance of the CharToTokenType struct. - - The character. - Type of the token. - - - - Token types for condition expressions. - - - - - Marks the class or a member as advanced. Advanced classes and members are hidden by - default in generated documentation. - - - - - Initializes a new instance of the class. - - - - - Identifies that the output of layout or layout render does not change for the lifetime of the current appdomain. - - - - - Used to mark configurable parameters which are arrays. - Specifies the mapping between XML elements and .NET types. - - - - - Initializes a new instance of the class. - - The type of the array item. - The XML element name that represents the item. - - - - Gets the .NET type of the array item. - - - - - Gets the XML element name. - - - - - Constructs a new instance the configuration item (target, layout, layout renderer, etc.) given its type. - - Type of the item. - Created object of the specified type. - - - - Provides registration information for named items (targets, layouts, layout renderers, etc.) managed by NLog. - - - - - Initializes static members of the class. - - - - - Initializes a new instance of the class. - - The assemblies to scan for named items. - - - - Registers named items from the assembly. - - The assembly. - - - - Registers named items from the assembly. - - The assembly. - Item name prefix. - - - - Clears the contents of all factories. - - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Builds the default configuration item factory. - - Default factory. - - - - Registers items in NLog.Extended.dll using late-bound types, so that we don't need a reference to NLog.Extended.dll. - - - - - Gets or sets default singleton instance of . - - - - - Gets or sets the creator delegate used to instantiate configuration objects. - - - By overriding this property, one can enable dependency injection or interception for created objects. - - - - - Gets the factory. - - The target factory. - - - - Gets the factory. - - The filter factory. - - - - Gets the factory. - - The layout renderer factory. - - - - Gets the factory. - - The layout factory. - - - - Gets the ambient property factory. - - The ambient property factory. - - - - Gets the time source factory. - - The time source factory. - - - - Gets the condition method factory. - - The condition method factory. - - - - Attribute used to mark the default parameters for layout renderers. - - - - - Initializes a new instance of the class. - - - - - Factory for class-based items. - - The base type of each item. - The type of the attribute used to annotate itemss. - - - - Represents a factory of named items (such as targets, layouts, layout renderers, etc.). - - Base type for each item instance. - Item definition type (typically or ). - - - - Registers new item definition. - - Name of the item. - Item definition. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Creates item instance. - - Name of the item. - Newly created item instance. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Provides means to populate factories of named items (such as targets, layouts, layout renderers, etc.). - - - - - Scans the assembly. - - The assembly. - The prefix. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Registers the item based on a type name. - - Name of the item. - Name of the type. - - - - Clears the contents of the factory. - - - - - Registers a single type definition. - - The item name. - The type of the item. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Creates an item instance. - - The name of the item. - Created item. - - - - Implemented by objects which support installation and uninstallation. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Provides context for install/uninstall operations. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log output. - - - - Logs the specified trace message. - - The message. - The arguments. - - - - Logs the specified debug message. - - The message. - The arguments. - - - - Logs the specified informational message. - - The message. - The arguments. - - - - Logs the specified warning message. - - The message. - The arguments. - - - - Logs the specified error message. - - The message. - The arguments. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates the log event which can be used to render layouts during installation/uninstallations. - - Log event info object. - - - - Gets or sets the installation log level. - - - - - Gets or sets a value indicating whether to ignore failures during installation. - - - - - Gets the installation parameters. - - - - - Gets or sets the log output. - - - - - Keeps logging configuration and provides simple API - to modify it. - - - - - Initializes a new instance of the class. - - - - - Registers the specified target object under a given name. - - - Name of the target. - - - The target object. - - - - - Finds the target with the specified name. - - - The name of the target to be found. - - - Found target or when the target is not found. - - - - - Called by LogManager when one of the log configuration files changes. - - - A new instance of that represents the updated configuration. - - - - - Removes the specified named target. - - - Name of the target. - - - - - Installs target-specific objects on current system. - - The installation context. - - Installation typically runs with administrative permissions. - - - - - Uninstalls target-specific objects from current system. - - The installation context. - - Uninstallation typically runs with administrative permissions. - - - - - Closes all targets and releases any unmanaged resources. - - - - - Flushes any pending log messages on all appenders. - - The asynchronous continuation. - - - - Validates the configuration. - - - - - Gets a collection of named targets specified in the configuration. - - - A list of named targets. - - - Unnamed targets (such as those wrapped by other targets) are not returned. - - - - - Gets the collection of file names which should be watched for changes by NLog. - - - - - Gets the collection of logging rules. - - - - - Gets or sets the default culture info use. - - - - - Gets all targets. - - - - - Arguments for events. - - - - - Initializes a new instance of the class. - - The old configuration. - The new configuration. - - - - Gets the old configuration. - - The old configuration. - - - - Gets the new configuration. - - The new configuration. - - - - Represents a logging rule. An equivalent of <logger /> configuration element. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Minimum log level needed to trigger this rule. - Target to be written to when the rule matches. - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Target to be written to when the rule matches. - By default no logging levels are defined. You should call and to set them. - - - - Enables logging for a particular level. - - Level to be enabled. - - - - Disables logging for a particular level. - - Level to be disabled. - - - - Returns a string representation of . Used for debugging. - - - A that represents the current . - - - - - Checks whether te particular log level is enabled for this rule. - - Level to be checked. - A value of when the log level is enabled, otherwise. - - - - Checks whether given name matches the logger name pattern. - - String to be matched. - A value of when the name matches, otherwise. - - - - Gets a collection of targets that should be written to when this rule matches. - - - - - Gets a collection of child rules to be evaluated when this rule matches. - - - - - Gets a collection of filters to be checked before writing to targets. - - - - - Gets or sets a value indicating whether to quit processing any further rule when this one matches. - - - - - Gets or sets logger name pattern. - - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends but not anywhere else. - - - - - Gets the collection of log levels enabled by this rule. - - - - - Factory for locating methods. - - The type of the class marker attribute. - The type of the method marker attribute. - - - - Scans the assembly for classes marked with - and methods marked with and adds them - to the factory. - - The assembly. - The prefix to use for names. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Clears contents of the factory. - - - - - Registers the definition of a single method. - - The method name. - The method info. - - - - Tries to retrieve method by name. - - The method name. - The result. - A value of true if the method was found, false otherwise. - - - - Retrieves method by name. - - Method name. - MethodInfo object. - - - - Tries to get method definition. - - The method . - The result. - A value of true if the method was found, false otherwise. - - - - Gets a collection of all registered items in the factory. - - - Sequence of key/value pairs where each key represents the name - of the item and value is the of - the item. - - - - - Marks the object as configuration item for NLog. - - - - - Initializes a new instance of the class. - - - - - Represents simple XML element with case-insensitive attribute semantics. - - - - - Initializes a new instance of the class. - - The input URI. - - - - Initializes a new instance of the class. - - The reader to initialize element from. - - - - Prevents a default instance of the class from being created. - - - - - Returns children elements with the specified element name. - - Name of the element. - Children elements with the specified element name. - - - - Gets the required attribute. - - Name of the attribute. - Attribute value. - Throws if the attribute is not specified. - - - - Gets the optional boolean attribute value. - - Name of the attribute. - Default value to return if the attribute is not found. - Boolean attribute value or default. - - - - Gets the optional attribute value. - - Name of the attribute. - The default value. - Value of the attribute or default value. - - - - Asserts that the name of the element is among specified element names. - - The allowed names. - - - - Gets the element name. - - - - - Gets the dictionary of attribute values. - - - - - Gets the collection of child elements. - - - - - Gets the value of the element. - - - - - Attribute used to mark the required parameters for targets, - layout targets and filters. - - - - - Provides simple programmatic configuration API used for trivial logging cases. - - - - - Configures NLog for console logging so that all messages above and including - the level are output to the console. - - - - - Configures NLog for console logging so that all messages above and including - the specified level are output to the console. - - The minimal logging level. - - - - Configures NLog for to log to the specified target so that all messages - above and including the level are output. - - The target to log all messages to. - - - - Configures NLog for to log to the specified target so that all messages - above and including the specified level are output. - - The target to log all messages to. - The minimal logging level. - - - - Configures NLog for file logging so that all messages above and including - the level are written to the specified file. - - Log file name. - - - - Configures NLog for file logging so that all messages above and including - the specified level are written to the specified file. - - Log file name. - The minimal logging level. - - - - Value indicating how stack trace should be captured when processing the log event. - - - - - Stack trace should not be captured. - - - - - Stack trace should be captured without source-level information. - - - - - Capture maximum amount of the stack trace information supported on the plaform. - - - - - Marks the layout or layout renderer as producing correct results regardless of the thread - it's running on. - - - - - A class for configuring NLog through an XML configuration file - (App.config style or App.nlog style). - - - - - Initializes a new instance of the class. - - Configuration file to be read. - - - - Initializes a new instance of the class. - - Configuration file to be read. - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Re-reads the original configuration file and returns the new object. - - The new object. - - - - Initializes the configuration. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Gets or sets a value indicating whether the configuration files - should be watched for changes and reloaded automatically when changed. - - - - - Gets the collection of file names which should be watched for changes by NLog. - This is the list of configuration files processed. - If the autoReload attribute is not set it returns empty collection. - - - - - Matches when the specified condition is met. - - - Conditions are expressed using a simple language - described here. - - - - - An abstract filter class. Provides a way to eliminate log messages - based on properties other than logger name and log level. - - - - - Initializes a new instance of the class. - - - - - Gets the result of evaluating filter against given log event. - - The log event. - Filter result. - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the action to be taken when filter matches. - - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the condition expression. - - - - - - Marks class as a layout renderer and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the filter. - - - - Filter result. - - - - - The filter doesn't want to decide whether to log or discard the message. - - - - - The message should be logged. - - - - - The message should not be logged. - - - - - The message should be logged and processing should be finished. - - - - - The message should not be logged and processing should be finished. - - - - - A base class for filters that are based on comparing a value to a layout. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the layout to be used to filter log messages. - - The layout. - - - - - Matches when the calculated layout contains the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets the substring to be matched. - - - - - - Matches when the calculated layout is equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets a string to compare the layout to. - - - - - - Matches when the calculated layout does NOT contain the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the substring to be matched. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Matches when the calculated layout is NOT equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Initializes a new instance of the class. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a string to compare the layout to. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Global Diagnostics Context - used for log4net compatibility. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Global Diagnostics Context - a dictionary structure to hold per-application-instance values. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Provides untyped IDictionary interface on top of generic IDictionary. - - The type of the key. - The type of the value. - - - - Initializes a new instance of the DictionaryAdapter class. - - The implementation. - - - - Adds an element with the provided key and value to the object. - - The to use as the key of the element to add. - The to use as the value of the element to add. - - - - Removes all elements from the object. - - - - - Determines whether the object contains an element with the specified key. - - The key to locate in the object. - - True if the contains an element with the key; otherwise, false. - - - - - Returns an object for the object. - - - An object for the object. - - - - - Removes the element with the specified key from the object. - - The key of the element to remove. - - - - Copies the elements of the to an , starting at a particular index. - - The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. - The zero-based index in at which copying begins. - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Gets an object containing the values in the object. - - - - An object containing the values in the object. - - - - - Gets the number of elements contained in the . - - - - The number of elements contained in the . - - - - - Gets a value indicating whether access to the is synchronized (thread safe). - - - true if access to the is synchronized (thread safe); otherwise, false. - - - - - Gets an object that can be used to synchronize access to the . - - - - An object that can be used to synchronize access to the . - - - - - Gets a value indicating whether the object has a fixed size. - - - true if the object has a fixed size; otherwise, false. - - - - - Gets a value indicating whether the object is read-only. - - - true if the object is read-only; otherwise, false. - - - - - Gets an object containing the keys of the object. - - - - An object containing the keys of the object. - - - - - Gets or sets the with the specified key. - - Dictionary key. - Value corresponding to key or null if not found - - - - Wrapper IDictionaryEnumerator. - - - - - Initializes a new instance of the class. - - The wrapped. - - - - Advances the enumerator to the next element of the collection. - - - True if the enumerator was successfully advanced to the next element; false if the enumerator has passed the end of the collection. - - - - - Sets the enumerator to its initial position, which is before the first element in the collection. - - - - - Gets both the key and the value of the current dictionary entry. - - - - A containing both the key and the value of the current dictionary entry. - - - - - Gets the key of the current dictionary entry. - - - - The key of the current element of the enumeration. - - - - - Gets the value of the current dictionary entry. - - - - The value of the current element of the enumeration. - - - - - Gets the current element in the collection. - - - - The current element in the collection. - - - - - LINQ-like helpers (cannot use LINQ because we must work with .NET 2.0 profile). - - - - - Filters the given enumerable to return only items of the specified type. - - - Type of the item. - - - The enumerable. - - - Items of specified type. - - - - - Reverses the specified enumerable. - - - Type of enumerable item. - - - The enumerable. - - - Reversed enumerable. - - - - - Determines is the given predicate is met by any element of the enumerable. - - Element type. - The enumerable. - The predicate. - True if predicate returns true for any element of the collection, false otherwise. - - - - Converts the enumerable to list. - - Type of the list element. - The enumerable. - List of elements. - - - - Safe way to get environment variables. - - - - - Helper class for dealing with exceptions. - - - - - Determines whether the exception must be rethrown. - - The exception. - True if the exception must be rethrown, false otherwise. - - - - Object construction helper. - - - - - Adapter for to - - - - - Interface for fakeable the current . Not fully implemented, please methods/properties as necessary. - - - - - Initializes a new instance of the class. - - The to wrap. - - - - Gets a the current wrappered in a . - - - - - Base class for optimized file appenders. - - - - - Initializes a new instance of the class. - - Name of the file. - The create parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Records the last write time for a file. - - - - - Records the last write time for a file to be specific date. - - Date and time when the last write occurred. - - - - Creates the file stream. - - If set to true allow concurrent writes. - A object which can be used to write to the file. - - - - Gets the name of the file. - - The name of the file. - - - - Gets the last write time. - - The last write time. - - - - Gets the open time of the file. - - The open time. - - - - Gets the file creation parameters. - - The file creation parameters. - - - - Implementation of which caches - file information. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Closes this instance of the appender. - - - - - Flushes this current appender. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Writes the specified bytes to a file. - - The bytes to be written. - - - - Factory class which creates objects. - - - - - Interface implemented by all factories capable of creating file appenders. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - Instance of which can be used to write to the file. - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Interface that provides parameters for create file function. - - - - - Multi-process and multi-host file appender which attempts - to get exclusive write access and retries if it's not available. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized single-process file appender which keeps the file open for exclusive write. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized routines to get the size and last write time of the specified file. - - - - - Initializes static members of the FileInfoHelper class. - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - A value of true if file information was retrieved successfully, false otherwise. - - - - Interface implemented by layouts and layout renderers. - - - - - Renders the the value of layout or layout renderer in the context of the specified log event. - - The log event. - String representation of a layout. - - - - Supports object initialization and termination. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Allows components to request stack trace information to be provided in the . - - - - - Gets the level of stack trace information required by the implementing class. - - - - - Define Localizable attribute for platforms that don't have it. - - - - - Initializes a new instance of the class. - - Determines whether the target is localizable. - - - - Gets or sets a value indicating whether the target is localizable. - - - - - Logger configuration. - - - - - Initializes a new instance of the class. - - The targets by level. - - - - Gets targets for the specified level. - - The level. - Chain of targets with attached filters. - - - - Determines whether the specified level is enabled. - - The level. - - A value of true if the specified level is enabled; otherwise, false. - - - - - Message Box helper. - - - - - Shows the specified message using platform-specific message box. - - The message. - The caption. - - - - Network sender which uses HTTP or HTTPS POST. - - - - - A base class for all network senders. Supports one-way sending of messages - over various protocols. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Finalizes an instance of the NetworkSender class. - - - - - Initializes this network sender. - - - - - Closes the sender and releases any unmanaged resources. - - The continuation. - - - - Flushes any pending messages and invokes a continuation. - - The continuation. - - - - Send the given text over the specified protocol. - - Bytes to be sent. - Offset in buffer. - Number of bytes to send. - The asynchronous continuation. - - - - Closes the sender and releases any unmanaged resources. - - - - - Performs sender-specific initialization. - - - - - Performs sender-specific close operation. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Parses the URI into an endpoint address. - - The URI to parse. - The address family. - Parsed endpoint. - - - - Gets the address of the network endpoint. - - - - - Gets the last send time. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Creates instances of objects for given URLs. - - - - - Creates a new instance of the network sender based on a network URL. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - - A newly created network sender. - - - - - Interface for mocking socket calls. - - - - - Default implementation of . - - - - - Creates a new instance of the network sender based on a network URL:. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - /// - A newly created network sender. - - - - - Socket proxy for mocking Socket code. - - - - - Initializes a new instance of the class. - - The address family. - Type of the socket. - Type of the protocol. - - - - Closes the wrapped socket. - - - - - Invokes ConnectAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Sends messages over a TCP network connection. - - - - - Initializes a new instance of the class. - - URL. Must start with tcp://. - The address family. - - - - Creates the socket with given parameters. - - The address family. - Type of the socket. - Type of the protocol. - Instance of which represents the socket. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Sends the specified text over the connected socket. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Facilitates mocking of class. - - - - - Raises the Completed event. - - - - - Scans (breadth-first) the object graph following all the edges whose are - instances have attached and returns - all objects implementing a specified interfaces. - - - - - Finds the objects which have attached which are reachable - from any of the given root objects when traversing the object graph over public properties. - - Type of the objects to return. - The root objects. - Ordered list of objects implementing T. - - - - Parameter validation utilities. - - - - - Asserts that the value is not null and throws otherwise. - - The value to check. - Name of the parameter. - - - - Detects the platform the NLog is running on. - - - - - Gets the current runtime OS. - - - - - Gets a value indicating whether current OS is a desktop version of Windows. - - - - - Gets a value indicating whether current OS is Win32-based (desktop or mobile). - - - - - Gets a value indicating whether current OS is Unix-based. - - - - - Portable implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Reflection helpers for accessing properties. - - - - - Reflection helpers. - - - - - Gets all usable exported types from the given assembly. - - Assembly to scan. - Usable types from the given assembly. - Types which cannot be loaded are skipped. - - - - Supported operating systems. - - - If you add anything here, make sure to add the appropriate detection - code to - - - - - Any operating system. - - - - - Unix/Linux operating systems. - - - - - Windows CE. - - - - - Desktop versions of Windows (95,98,ME). - - - - - Windows NT, 2000, 2003 and future versions based on NT technology. - - - - - Unknown operating system. - - - - - Simple character tokenizer. - - - - - Initializes a new instance of the class. - - The text to be tokenized. - - - - Implements a single-call guard around given continuation function. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - - - - Continuation function which implements the single-call guard. - - The exception. - - - - Provides helpers to sort log events and associated continuations. - - - - - Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. - - The type of the value. - The type of the key. - The inputs. - The key selector function. - - Dictonary where keys are unique input keys, and values are lists of . - - - - - Key selector delegate. - - The type of the value. - The type of the key. - Value to extract key information from. - Key selected from log event. - - - - Utilities for dealing with values. - - - - - Represents target with a chain of filters which determine - whether logging should happen. - - - - - Initializes a new instance of the class. - - The target. - The filter chain. - - - - Gets the stack trace usage. - - A value that determines stack trace handling. - - - - Gets the target. - - The target. - - - - Gets the filter chain. - - The filter chain. - - - - Gets or sets the next item in the chain. - - The next item in the chain. - - - - Helper for dealing with thread-local storage. - - - - - Allocates the data slot for storing thread-local information. - - Allocated slot key. - - - - Gets the data for a slot in thread-local storage. - - Type of the data. - The slot to get data for. - - Slot data (will create T if null). - - - - - Wraps with a timeout. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - The timeout. - - - - Continuation function which implements the timeout logic. - - The exception. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - URL Encoding helper. - - - - - Helper class for XML - - - - - removes any unusual unicode characters that can't be encoded into XML - - - - - Safe version of WriteAttributeString - - - - - - - - - - Safe version of WriteAttributeString - - - - - - - - Safe version of WriteElementSafeString - - - - - - - - - - Safe version of WriteCData - - - - - - - Designates a property of the class as an ambient property. - - - - - Initializes a new instance of the class. - - Ambient property name. - - - - Assembly version. - - - - - Render environmental information related to logging events. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Renders the the value of layout renderer in the context of the specified log event. - - The log event. - String representation of a layout renderer. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Gets the logging configuration this target is part of. - - - - - Renders assembly version and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The call site (class name, method name and source information). - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render the class name. - - - - - - Gets or sets a value indicating whether to render the method name. - - - - - - Gets or sets a value indicating whether the method name will be cleaned up if it is detected as an anonymous delegate. - - - - - - Gets or sets the number of frames to skip. - - - - - Gets the level of stack trace information required by the implementing class. - - - - - A counter value (increases on each layout rendering). - - - - - Initializes a new instance of the class. - - - - - Renders the specified counter value and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the initial value of the counter. - - - - - - Gets or sets the value to be added to the counter after each layout rendering. - - - - - - Gets or sets the name of the sequence. Different named sequences can have individual values. - - - - - - Current date and time. - - - - - Initializes a new instance of the class. - - - - - Renders the current date and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the culture used for rendering. - - - - - - Gets or sets the date format. Can be any argument accepted by DateTime.ToString(format). - - - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - URI of the HTML page which hosts the current Silverlight application. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Exception information provided through - a call to one of the Logger.*Exception() methods. - - - - - Initializes a new instance of the class. - - - - - Renders the specified exception information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the format of the output. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the format of the output of inner exceptions. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the separator used to concatenate parts specified in the Format. - - - - - - Gets or sets the maximum number of inner exceptions to include in the output. - By default inner exceptions are not enabled for compatibility with NLog 1.0. - - - - - - Gets or sets the separator between inner exceptions. - - - - - - Renders contents of the specified file. - - - - - Initializes a new instance of the class. - - - - - Renders the contents of the specified file and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file. - - - - - - Gets or sets the encoding used in the file. - - The encoding. - - - - - The information about the garbage collector. - - - - - Initializes a new instance of the class. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Gets or sets the property of System.GC to retrieve. - - - - - Total memory allocated. - - - - - Total memory allocated (perform full garbage collection first). - - - - - Gets the number of Gen0 collections. - - - - - Gets the number of Gen1 collections. - - - - - Gets the number of Gen2 collections. - - - - - Maximum generation number supported by GC. - - - - - Global Diagnostics Context item. Provided for compatibility with log4net. - - - - - Renders the specified Global Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Globally-unique identifier (GUID). - - - - - Initializes a new instance of the class. - - - - - Renders a newly generated GUID string and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the GUID format as accepted by Guid.ToString() method. - - - - - - Installation parameter (passed to InstallNLogConfig). - - - - - Renders the specified installation parameter and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the parameter. - - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Name of the layout renderer. - - - - The log level. - - - - - Renders the current log level and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - A string literal. - - - This is used to escape '${' sequence - as ;${literal:text=${}' - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The literal text value. - This is used by the layout compiler. - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the literal text. - - - - - - XML event description compatible with log4j, Chainsaw and NLogViewer. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the XML logging event and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets a value indicating whether the XML should use spaces for indentation. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include contents of the dictionary. - - - - - - Gets or sets a value indicating whether to include contents of the stack. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - The logger name. - - - - - Renders the logger name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render short logger name (the part after the trailing dot character). - - - - - - The date and time in a long, sortable format yyyy-MM-dd HH:mm:ss.mmm. - - - - - Renders the date in the long format (yyyy-MM-dd HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Mapped Diagnostic Context item. Provided for compatibility with log4net. - - - - - Renders the specified MDC item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - The formatted log message. - - - - - Initializes a new instance of the class. - - - - - Renders the log message including any positional parameters and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to log exception along with message. - - - - - - Gets or sets the string that separates message from the exception. - - - - - - Nested Diagnostic Context item. Provided for compatibility with log4net. - - - - - Initializes a new instance of the class. - - - - - Renders the specified Nested Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the number of bottom stack frames to be rendered. - - - - - - Gets or sets the separator to be used for concatenating nested diagnostics context output. - - - - - - A newline literal. - - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The process time in format HH:mm:ss.mmm. - - - - - Renders the current process running time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The short date in a sortable format yyyy-MM-dd. - - - - - Renders the current short date string (yyyy-MM-dd) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Information about Silverlight application. - - - - - Initializes a new instance of the class. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets specific information to display. - - - - - - Specifies application information to display in ${sl-appinfo} renderer. - - - - - URI of the current application XAP file. - - - - - Whether application is running out-of-browser. - - - - - Installed state of an application. - - - - - Whether application is running with elevated permissions. - - - - - System special folder path (includes My Documents, My Music, Program Files, Desktop, and more). - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the system special folder to use. - - - Full list of options is available at MSDN. - The most common ones are: -
    -
  • ApplicationData - roaming application data for current user.
  • -
  • CommonApplicationData - application data for all users.
  • -
  • MyDocuments - My Documents
  • -
  • DesktopDirectory - Desktop directory
  • -
  • LocalApplicationData - non roaming application data
  • -
  • Personal - user profile directory
  • -
  • System - System directory
  • -
-
- -
- - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - Format of the ${stacktrace} layout renderer output. - - - - - Raw format (multiline - as returned by StackFrame.ToString() method). - - - - - Flat format (class and method names displayed in a single line). - - - - - Detailed flat format (method signatures displayed in a single line). - - - - - Stack trace renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the output format of the stack trace. - - - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the stack frame separator string. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - - A temporary directory. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The identifier of the current thread. - - - - - Renders the current thread identifier and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The name of the current thread. - - - - - Renders the current thread name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The Ticks value of current date and time. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The time in a 24-hour, sortable format HH:mm:ss.mmm. - - - - - Renders time in the 24-h format (HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Applies caching to another layout output. - - - The value of the inner layout will be rendered only once and reused subsequently. - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Renders the inner message, processes it and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets the wrapped layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets a value indicating whether this is enabled. - - - - - - Filters characters not allowed in the file names by replacing them with safe character. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to modify the output of this renderer so it can be used as a part of file path - (illegal characters are replaced with '_'). - - - - - - Escapes output of another layout using JSON rules. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - JSON-encoded string. - - - - Gets or sets a value indicating whether to apply JSON encoding. - - - - - - Converts the result of another layout output to lower case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Only outputs the inner layout when exception has been defined for log message. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Applies padding to another layout output. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the number of characters to pad the output to. - - - Positive padding values cause left padding, negative values - cause right padding to the desired width. - - - - - - Gets or sets the padding character. - - - - - - Gets or sets a value indicating whether to trim the - rendered text to the absolute value of the padding length. - - - - - - Replaces a string in the output of another layout with another string. - - - - - Initializes the layout renderer. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Post-processed text. - - - - A match evaluator for Regular Expression based replacing - - - - - - - - - - Gets or sets the text to search for. - - The text search for. - - - - - Gets or sets a value indicating whether regular expressions should be used. - - A value of true if regular expressions should be used otherwise, false. - - - - - Gets or sets the replacement string. - - The replacement string. - - - - - Gets or sets the group name to replace when using regular expressions. - Leave null or empty to replace without using group name. - - The group name. - - - - - Gets or sets a value indicating whether to ignore case. - - A value of true if case should be ignored when searching; otherwise, false. - - - - - Gets or sets a value indicating whether to search for whole words. - - A value of true if whole words should be searched for; otherwise, false. - - - - - This class was created instead of simply using a lambda expression so that the "ThreadAgnosticAttributeTest" will pass - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Encodes/Decodes ROT-13-encoded string. - - The string to be encoded/decoded. - Encoded/Decoded text. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the layout to be wrapped. - - The layout to be wrapped. - This variable is for backwards compatibility - - - - - Trims the whitespace from the result of another layout renderer. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Converts the result of another layout output to upper case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether upper case conversion should be applied. - - A value of true if upper case conversion should be applied otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Encodes the result of another layout output for use with URLs. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets a value indicating whether spaces should be translated to '+' or '%20'. - - A value of true if space should be translated to '+'; otherwise, false. - - - - - Outputs alternative layout when the inner layout produces empty result. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the layout to be rendered when original layout produced empty result. - - - - - - Only outputs the inner layout when the specified condition has been met. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the condition that must be met for the inner layout to be printed. - - - - - - Converts the result of another layout output to be XML-compliant. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to apply XML encoding. - - - - - - A column in the CSV. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The name of the column. - The layout of the column. - - - - Gets or sets the name of the column. - - - - - - Gets or sets the layout of the column. - - - - - - Specifies allowed column delimiters. - - - - - Automatically detect from regional settings. - - - - - Comma (ASCII 44). - - - - - Semicolon (ASCII 59). - - - - - Tab character (ASCII 9). - - - - - Pipe character (ASCII 124). - - - - - Space character (ASCII 32). - - - - - Custom string, specified by the CustomDelimiter. - - - - - A specialized layout that renders CSV-formatted events. - - - - - A specialized layout that supports header and footer. - - - - - Abstract interface that layouts must implement. - - - - - Converts a given text to a . - - Text to be converted. - object represented by the text. - - - - Implicitly converts the specified string to a . - - The layout string. - Instance of . - - - - Implicitly converts the specified string to a . - - The layout string. - The NLog factories to use when resolving layout renderers. - Instance of . - - - - Precalculates the layout for the specified log event and stores the result - in per-log event cache. - - The log event. - - Calling this method enables you to store the log event in a buffer - and/or potentially evaluate it in another thread even though the - layout may contain thread-dependent renderer. - - - - - Renders the event info in layout. - - The event info. - String representing log event. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes the layout. - - - - - Closes the layout. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets a value indicating whether this layout is thread-agnostic (can be rendered on any thread). - - - Layout is thread-agnostic if it has been marked with [ThreadAgnostic] attribute and all its children are - like that as well. - Thread-agnostic layouts only use contents of for its output. - - - - - Gets the logging configuration this target is part of. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets or sets the body layout (can be repeated multiple times). - - - - - - Gets or sets the header layout. - - - - - - Gets or sets the footer layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the array of parameters to be passed. - - - - - - Gets or sets a value indicating whether CVS should include header. - - A value of true if CVS should include header; otherwise, false. - - - - - Gets or sets the column delimiter. - - - - - - Gets or sets the quoting mode. - - - - - - Gets or sets the quote Character. - - - - - - Gets or sets the custom column delimiter value (valid when ColumnDelimiter is set to 'Custom'). - - - - - - Header for CSV layout. - - - - - Initializes a new instance of the class. - - The parent. - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Specifies allowes CSV quoting modes. - - - - - Quote all column. - - - - - Quote nothing. - - - - - Quote only whose values contain the quote symbol or - the separator. - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Layout name. - - - - Parses layout strings. - - - - - A specialized layout that renders Log4j-compatible XML events. - - - This layout is not meant to be used explicitly. Instead you can use ${log4jxmlevent} layout renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets the instance that renders log events. - - - - - Represents a string with embedded placeholders that can render contextual information. - - - This layout is not meant to be used explicitly. Instead you can just use a string containing layout - renderers everywhere the layout is required. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout string to parse. - - - - Initializes a new instance of the class. - - The layout string to parse. - The NLog factories to use when creating references to layout renderers. - - - - Converts a text to a simple layout. - - Text to be converted. - A object. - - - - Escapes the passed text so that it can - be used literally in all places where - layout is normally expected without being - treated as layout. - - The text to be escaped. - The escaped text. - - Escaping is done by replacing all occurences of - '${' with '${literal:text=${}' - - - - - Evaluates the specified text by expadinging all layout renderers. - - The text to be evaluated. - Log event to be used for evaluation. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Evaluates the specified text by expadinging all layout renderers - in new context. - - The text to be evaluated. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Returns a that represents the current object. - - - A that represents the current object. - - - - - Renders the layout for the specified logging event by invoking layout renderers - that make up the event. - - The logging event. - The rendered layout. - - - - Gets or sets the layout text. - - - - - - Gets a collection of objects that make up this layout. - - - - - Represents the logging event. - - - - - Gets the date of the first log event created. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Log level. - Logger name. - Log message including parameter placeholders. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - Exception information. - - - - Creates the null event. - - Null log event. - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - The parameters. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - The exception. - Instance of . - - - - Creates from this by attaching the specified asynchronous continuation. - - The asynchronous continuation. - Instance of with attached continuation. - - - - Returns a string representation of this log event. - - String representation of the log event. - - - - Sets the stack trace for the event info. - - The stack trace. - Index of the first user stack frame within the stack trace. - - - - Gets the unique identifier of log event which is automatically generated - and monotonously increasing. - - - - - Gets or sets the timestamp of the logging event. - - - - - Gets or sets the level of the logging event. - - - - - Gets a value indicating whether stack trace has been set for this event. - - - - - Gets the stack frame of the method that did the logging. - - - - - Gets the number index of the stack frame that represents the user - code (not the NLog code). - - - - - Gets the entire stack trace. - - - - - Gets or sets the exception information. - - - - - Gets or sets the logger name. - - - - - Gets the logger short name. - - - - - Gets or sets the log message including any parameter placeholders. - - - - - Gets or sets the parameter values or null if no parameters have been specified. - - - - - Gets or sets the format provider that was provided while logging or - when no formatProvider was specified. - - - - - Gets the formatted message. - - - - - Gets the dictionary of per-event context properties. - - - - - Gets the dictionary of per-event context properties. - - - - - Creates and manages instances of objects. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The config. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates a logger that discards all log messages. - - Null logger instance. - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The type of the logger to create. The type must inherit from NLog.Logger. - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The type of the logger to create. The type must inherit from NLog.Logger. - The logger reference. Multiple calls to GetLogger with the - same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Occurs when logging changes. - - - - - Gets the current . - - - - - Gets or sets a value indicating whether exceptions should be thrown. - - A value of true if exceptiosn should be thrown; otherwise, false. - By default exceptions - are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Logger cache key. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Determines if two objects are equal in value. - - Other object to compare to. - True if objects are equal, false otherwise. - - - - Enables logging in implementation. - - - - - Initializes a new instance of the class. - - The factory. - - - - Enables logging. - - - - - Specialized LogFactory that can return instances of custom logger types. - - The type of the logger to be returned. Must inherit from . - - - - Gets the logger. - - The logger name. - An instance of . - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Provides logging interface and utility functions. - - - - - Initializes a new instance of the class. - - - - - Gets a value indicating whether logging is enabled for the specified level. - - Log level to be checked. - A value of if logging is enabled for the specified level, otherwise it returns . - - - - Writes the specified diagnostic message. - - Log event. - - - - Writes the specified diagnostic message. - - The name of the type that wraps Logger. - Log event. - - - - Writes the diagnostic message at the specified level using the specified format provider and format parameters. - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the specified level. - - The log level. - Log message. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameter. - - The type of the argument. - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Trace level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Trace level. - - Log message. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Debug level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Debug level. - - Log message. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Info level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Info level. - - Log message. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Warn level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Warn level. - - Log message. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Error level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Error level. - - Log message. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Fatal level. - - Log message. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Runs action. If the action throws, the exception is logged at Error level. Exception is not propagated outside of this method. - - Action to execute. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Result returned by the provided function or fallback value in case of exception. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Fallback value to return in case of exception. Defaults to default value of type T. - Result returned by the provided function or fallback value in case of exception. - - - - Occurs when logger configuration changes. - - - - - Gets the name of the logger. - - - - - Gets the factory that created this logger. - - - - - Gets a value indicating whether logging is enabled for the Trace level. - - A value of if logging is enabled for the Trace level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Debug level. - - A value of if logging is enabled for the Debug level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Info level. - - A value of if logging is enabled for the Info level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Warn level. - - A value of if logging is enabled for the Warn level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Error level. - - A value of if logging is enabled for the Error level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Fatal level. - - A value of if logging is enabled for the Fatal level, otherwise it returns . - - - - Implementation of logging engine. - - - - - Gets the filter result. - - The filter chain. - The log event. - The result of the filter. - - - - Defines available log levels. - - - - - Trace log level. - - - - - Debug log level. - - - - - Info log level. - - - - - Warn log level. - - - - - Error log level. - - - - - Fatal log level. - - - - - Off log level. - - - - - Initializes a new instance of . - - The log level name. - The log level ordinal number. - - - - Compares two objects - and returns a value indicating whether - the first one is equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal == level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is not equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal != level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than the second one. - - The first level. - The second level. - The value of level1.Ordinal > level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal >= level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than the second one. - - The first level. - The second level. - The value of level1.Ordinal < level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal <= level2.Ordinal. - - - - Gets the that corresponds to the specified ordinal. - - The ordinal. - The instance. For 0 it returns , 1 gives and so on. - - - - Returns the that corresponds to the supplied . - - The texual representation of the log level. - The enumeration value. - - - - Returns a string representation of the log level. - - Log level name. - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - Value of true if the specified is equal to this instance; otherwise, false. - - - The parameter is null. - - - - - Compares the level to the other object. - - - The object object. - - - A value less than zero when this logger's is - less than the other logger's ordinal, 0 when they are equal and - greater than zero when this ordinal is greater than the - other ordinal. - - - - - Gets the name of the log level. - - - - - Gets the ordinal of the log level. - - - - - Creates and manages instances of objects. - - - - - Prevents a default instance of the LogManager class from being created. - - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The logger class. The class must inherit from . - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Creates a logger that discards all log messages. - - Null logger which discards all log messages. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The logger class. The class must inherit from . - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger. - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Dispose all targets, and shutdown logging. - - - - - Occurs when logging changes. - - - - - Gets or sets a value indicating whether NLog should throw exceptions. - By default exceptions are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Gets or sets the default culture to use. - - - - - Delegate used to the the culture to use. - - - - - - Returns a log message. Used to defer calculation of - the log message until it's actually needed. - - Log message. - - - - Service contract for Log Receiver client. - - - - - Begins processing of log messages. - - The events. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Internal configuration of Log Receiver Service contracts. - - - - - Wire format for NLog Event. - - - - - Initializes a new instance of the class. - - - - - Converts the to . - - The object this is part of.. - The logger name prefix to prepend in front of the logger name. - Converted . - - - - Gets or sets the client-generated identifier of the event. - - - - - Gets or sets the ordinal of the log level. - - - - - Gets or sets the logger ordinal (index into . - - The logger ordinal. - - - - Gets or sets the time delta (in ticks) between the time of the event and base time. - - - - - Gets or sets the message string index. - - - - - Gets or sets the collection of layout values. - - - - - Gets the collection of indexes into array for each layout value. - - - - - Wire format for NLog event package. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - The logger name prefix to prepend in front of each logger name. - - Sequence of objects. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - - Sequence of objects. - - - - - Gets or sets the name of the client. - - The name of the client. - - - - Gets or sets the base time (UTC ticks) for all events in the package. - - The base time UTC. - - - - Gets or sets the collection of layout names which are shared among all events. - - The layout names. - - - - Gets or sets the collection of logger names. - - The logger names. - - - - Gets or sets the list of events. - - The events. - - - - List of strings annotated for more terse serialization. - - - - - Initializes a new instance of the class. - - - - - Log Receiver Client using WCF. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - The binding. - The remote address. - - - - Opens the client asynchronously. - - - - - Opens the client asynchronously. - - User-specific state. - - - - Closes the client asynchronously. - - - - - Closes the client asynchronously. - - User-specific state. - - - - Processes the log messages asynchronously. - - The events to send. - - - - Processes the log messages asynchronously. - - The events to send. - User-specific state. - - - - Begins processing of log messages. - - The events to send. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Returns a new channel from the client to the service. - - - A channel of type that identifies the type - of service contract encapsulated by this client object (proxy). - - - - - Occurs when the log message processing has completed. - - - - - Occurs when Open operation has completed. - - - - - Occurs when Close operation has completed. - - - - - Gets or sets the cookie container. - - The cookie container. - - - - Mapped Diagnostics Context - a thread-local structure that keeps a dictionary - of strings and provides methods to output them in layouts. - Mostly for compatibility with log4net. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Mapped Diagnostics Context - used for log4net compatibility. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Nested Diagnostics Context - for log4net compatibility. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Nested Diagnostics Context - a thread-local structure that keeps a stack - of strings and provides methods to output them in layouts - Mostly for compatibility with log4net. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Resets the stack to the original count during . - - - - - Initializes a new instance of the class. - - The stack. - The previous count. - - - - Reverts the stack to original item count. - - - - - Exception thrown during NLog configuration. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Exception thrown during log event processing. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Specifies the way archive numbering is performed. - - - - - Sequence style numbering. The most recent archive has the highest number. - - - - - Rolling style numbering (the most recent is always #0 then #1, ..., #N. - - - - - Date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. - - - - - Sends log messages to the remote instance of Chainsaw application from log4j. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages to the remote instance of NLog Viewer. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages over the network. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- To print the results, use any application that's able to receive messages over - TCP or UDP. NetCat is - a simple but very powerful command-line tool that can be used for that. This image - demonstrates the NetCat tool receiving log messages from Network target. -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will be very slow. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-

- There are two specialized versions of the Network target: Chainsaw - and NLogViewer which write to instances of Chainsaw log4j viewer - or NLogViewer application respectively. -

-
-
- - - Represents target that supports string formatting using layouts. - - - - - Represents logging target. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Closes the target. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Calls the on each volatile layout - used by this target. - - - The log event. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Writes the log to the target. - - Log event to write. - - - - Writes the array of log events. - - The log events. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. - classes. - - - Logging event to be written out. - - - - - Writes log event to the log target. Must be overridden in inheriting - classes. - - Log event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Merges (copies) the event context properties from any event info object stored in - parameters of the given event info object. - - The event info object to perform the merge to. - - - - Gets or sets the name of the target. - - - - - - Gets the object which can be used to synchronize asynchronous operations that must rely on the . - - - - - Gets the logging configuration this target is part of. - - - - - Gets a value indicating whether the target has been initialized. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the layout used to format log messages. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Closes the target. - - - - - Sends the - rendered logging event over the network optionally concatenating it with a newline character. - - The logging event. - - - - Gets the bytes to be written. - - Log event. - Byte array. - - - - Gets or sets the network address. - - - The network address can be: -
    -
  • tcp://host:port - TCP (auto select IPv4/IPv6) (not supported on Windows Phone 7.0)
  • -
  • tcp4://host:port - force TCP/IPv4 (not supported on Windows Phone 7.0)
  • -
  • tcp6://host:port - force TCP/IPv6 (not supported on Windows Phone 7.0)
  • -
  • udp://host:port - UDP (auto select IPv4/IPv6, not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp4://host:port - force UDP/IPv4 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp6://host:port - force UDP/IPv6 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • http://host:port/pageName - HTTP using POST verb
  • -
  • https://host:port/pageName - HTTPS using POST verb
  • -
- For SOAP-based webservice support over HTTP use WebService target. -
- -
- - - Gets or sets a value indicating whether to keep connection open whenever possible. - - - - - - Gets or sets a value indicating whether to append newline at the end of log message. - - - - - - Gets or sets the maximum message size in bytes. - - - - - - Gets or sets the size of the connection cache (number of connections which are kept alive). - - - - - - Gets or sets the maximum queue size. - - - - - Gets or sets the action that should be taken if the message is larger than - maxMessageSize. - - - - - - Gets or sets the encoding to be used. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include dictionary contents. - - - - - - Gets or sets a value indicating whether to include stack contents. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a named parameter. - - - - - - Gets the layout renderer which produces Log4j-compatible XML events. - - - - - Gets or sets the instance of that is used to format log messages. - - - - - - Initializes a new instance of the class. - - - - - Writes log messages to the console. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Represents target that supports string formatting using layouts. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the text to be rendered. - - - - - - Gets or sets the footer. - - - - - - Gets or sets the header. - - - - - - Gets or sets the layout with header and footer. - - The layout with header and footer. - - - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the Console.Out or - Console.Error depending on the value of the Error flag. - - The logging event. - - Note that the Error option is not supported on .NET Compact Framework. - - - - - Gets or sets a value indicating whether to send the log messages to the standard error instead of the standard output. - - - - - - Writes log messages to the attached managed debugger. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the attached debugger. - - The logging event. - - - - Mock target - useful for testing. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Increases the number of messages. - - The logging event. - - - - Gets the number of times this target has been called. - - - - - - Gets the last message rendered by this target. - - - - - - Modes of archiving files based on time. - - - - - Don't archive based on time. - - - - - Archive every year. - - - - - Archive every month. - - - - - Archive daily. - - - - - Archive every hour. - - - - - Archive every minute. - - - - - Writes log messages to one or more files. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Removes records of initialized files that have not been - accessed in the last two days. - - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Removes records of initialized files that have not been - accessed after the specified date. - - The cleanup threshold. - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Flushes all pending file operations. - - The asynchronous continuation. - - The timeout parameter is ignored, because file APIs don't provide - the needed functionality. - - - - - Initializes file logging by creating data structures that - enable efficient multi-file logging. - - - - - Closes the file(s) opened for writing. - - - - - Writes the specified logging event to a file specified in the FileName - parameter. - - The logging event. - - - - Writes the specified array of logging events to a file specified in the FileName - parameter. - - An array of objects. - - This function makes use of the fact that the events are batched by sorting - the requests by filename. This optimizes the number of open/close calls - and can help improve performance. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the bytes to be written to the file. - - Log event. - Array of bytes that are ready to be written. - - - - Modifies the specified byte array before it gets sent to a file. - - The byte array. - The modified byte array. The function can do the modification in-place. - - - - Gets or sets the name of the file to write to. - - - This FileName string is a layout which may include instances of layout renderers. - This lets you use a single target to write to multiple files. - - - The following value makes NLog write logging events to files based on the log level in the directory where - the application runs. - ${basedir}/${level}.log - All Debug messages will go to Debug.log, all Info messages will go to Info.log and so on. - You can combine as many of the layout renderers as you want to produce an arbitrary log file name. - - - - - - Gets or sets a value indicating whether to create directories if they don't exist. - - - Setting this to false may improve performance a bit, but you'll receive an error - when attempting to write to a directory that's not present. - - - - - - Gets or sets a value indicating whether to delete old log file on startup. - - - This option works only when the "FileName" parameter denotes a single file. - - - - - - Gets or sets a value indicating whether to replace file contents on each write instead of appending log message at the end. - - - - - - Gets or sets a value indicating whether to keep log file open instead of opening and closing it on each logging event. - - - Setting this property to True helps improve performance. - - - - - - Gets or sets a value indicating whether to enable log file(s) to be deleted. - - - - - - Gets or sets a value specifying the date format to use when archving files. - - - This option works only when the "ArchiveNumbering" parameter is set to Date. - - - - - - Gets or sets the line ending mode. - - - - - - Gets or sets a value indicating whether to automatically flush the file buffers after each log message. - - - - - - Gets or sets the number of files to be kept open. Setting this to a higher value may improve performance - in a situation where a single File target is writing to many files - (such as splitting by level or by logger). - - - The files are managed on a LRU (least recently used) basis, which flushes - the files that have not been used for the longest period of time should the - cache become full. As a rule of thumb, you shouldn't set this parameter to - a very high value. A number like 10-15 shouldn't be exceeded, because you'd - be keeping a large number of files open which consumes system resources. - - - - - - Gets or sets the maximum number of seconds that files are kept open. If this number is negative the files are - not automatically closed after a period of inactivity. - - - - - - Gets or sets the log file buffer size in bytes. - - - - - - Gets or sets the file encoding. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. - - - This makes multi-process logging possible. NLog uses a special technique - that lets it keep the files open for writing. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on different network hosts. - - - This effectively prevents files from being kept open. - - - - - - Gets or sets the number of times the write is appended on the file before NLog - discards the log message. - - - - - - Gets or sets the delay in milliseconds to wait before attempting to write to the file again. - - - The actual delay is a random value between 0 and the value specified - in this parameter. On each failed attempt the delay base is doubled - up to times. - - - Assuming that ConcurrentWriteAttemptDelay is 10 the time to wait will be:

- a random value between 0 and 10 milliseconds - 1st attempt
- a random value between 0 and 20 milliseconds - 2nd attempt
- a random value between 0 and 40 milliseconds - 3rd attempt
- a random value between 0 and 80 milliseconds - 4th attempt
- ...

- and so on. - - - - -

- Gets or sets the size in bytes above which log files will be automatically archived. - - - Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. - - -
- - - Gets or sets a value indicating whether to automatically archive log files every time the specified time passes. - - - Files are moved to the archive as part of the write operation if the current period of time changes. For example - if the current hour changes from 10 to 11, the first write that will occur - on or after 11:00 will trigger the archiving. -

- Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. -

-
- -
- - - Gets or sets the name of the file to be used for an archive. - - - It may contain a special placeholder {#####} - that will be replaced with a sequence of numbers depending on - the archiving strategy. The number of hash characters used determines - the number of numerical digits to be used for numbering files. - - - - - - Gets or sets the maximum number of archive files that should be kept. - - - - - - Gets ors set a value indicating whether a managed file stream is forced, instead of used the native implementation. - - - - - Gets or sets the way file archives are numbered. - - - - - - Gets the characters that are appended after each line. - - - - true if the file has been moved successfully - - - - Line ending mode. - - - - - Insert platform-dependent end-of-line sequence after each line. - - - - - Insert CR LF sequence (ASCII 13, ASCII 10) after each line. - - - - - Insert CR character (ASCII 13) after each line. - - - - - Insert LF character (ASCII 10) after each line. - - - - - Don't insert any line ending. - - - - - Sends log messages to a NLog Receiver Service (using WCF or Web Services). - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Called when log events are being sent (test hook). - - The events. - The async continuations. - True if events should be sent, false to stop processing them. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Append" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Creating a new instance of WcfLogReceiverClient - - Inheritors can override this method and provide their own - service configuration - binding and endpoint address - - - - - - Gets or sets the endpoint address. - - The endpoint address. - - - - - Gets or sets the name of the endpoint configuration in WCF configuration file. - - The name of the endpoint configuration. - - - - - Gets or sets a value indicating whether to use binary message encoding. - - - - - - Gets or sets the client ID. - - The client ID. - - - - - Gets the list of parameters. - - The parameters. - - - - - Gets or sets a value indicating whether to include per-event properties in the payload sent to the server. - - - - - - Writes log messages to an ArrayList in memory for programmatic retrieval. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Gets the list of logs gathered in the . - - - - - Pops up log messages as message boxes. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- The result is a message box: -

- -

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Displays the message box with the log message and caption specified in the Caption - parameter. - - The logging event. - - - - Displays the message box with the array of rendered logs messages and caption specified in the Caption - parameter. - - The array of logging events. - - - - Gets or sets the message box title. - - - - - - A parameter to MethodCall. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout to use for parameter value. - - - - Initializes a new instance of the class. - - Name of the parameter. - The layout. - - - - Initializes a new instance of the class. - - The name of the parameter. - The layout. - The type of the parameter. - - - - Gets or sets the name of the parameter. - - - - - - Gets or sets the type of the parameter. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Calls the specified static method on each log message and passes contextual parameters to it. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - The base class for all targets which call methods (local or remote). - Manages parameters and type coercion. - - - - - Initializes a new instance of the class. - - - - - Prepares an array of parameters to be passed based on the logging event and calls DoInvoke(). - - - The logging event. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - The continuation. - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Gets the array of parameters to be passed. - - - - - - Initializes the target. - - - - - Calls the specified Method. - - Method parameters. - - - - Gets or sets the class name. - - - - - - Gets or sets the method name. The method must be public and static. - - - - - - Action that should be taken if the message overflows. - - - - - Report an error. - - - - - Split the message into smaller pieces. - - - - - Discard the entire message. - - - - - Represents a parameter to a NLogViewer target. - - - - - Initializes a new instance of the class. - - - - - Gets or sets viewer parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Discards log messages. Used mainly for debugging and benchmarking. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Does nothing. Optionally it calculates the layout text but - discards the results. - - The logging event. - - - - Gets or sets a value indicating whether to perform layout calculation. - - - - - - Marks class as a logging target and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the target. - - - - Gets or sets a value indicating whether to the target is a wrapper target (used to generate the target summary documentation page). - - - - - Gets or sets a value indicating whether to the target is a compound target (used to generate the target summary documentation page). - - - - - Web service protocol. - - - - - Use SOAP 1.1 Protocol. - - - - - Use SOAP 1.2 Protocol. - - - - - Use HTTP POST Protocol. - - - - - Use HTTP GET Protocol. - - - - - Calls the specified web service on each log message. - - Documentation on NLog Wiki - - The web service must implement a method that accepts a number of string parameters. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

The example web service that works with this example is shown below

- -
-
- - - Initializes a new instance of the class. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Invokes the web service method. - - Parameters to be passed. - The continuation. - - - - Gets or sets the web service URL. - - - - - - Gets or sets the Web service method name. - - - - - - Gets or sets the Web service namespace. - - - - - - Gets or sets the protocol to be used when calling web service. - - - - - - Gets or sets the encoding. - - - - - - Asynchronous request queue. - - - - - Initializes a new instance of the AsyncRequestQueue class. - - Request limit. - The overflow action. - - - - Enqueues another item. If the queue is overflown the appropriate - action is taken as specified by . - - The log event info. - - - - Dequeues a maximum of count items from the queue - and adds returns the list containing them. - - Maximum number of items to be dequeued. - The array of log events. - - - - Clears the queue. - - - - - Gets or sets the request limit. - - - - - Gets or sets the action to be taken when there's no more room in - the queue and another request is enqueued. - - - - - Gets the number of requests currently in the queue. - - - - - Provides asynchronous, buffered execution of target writes. - - Documentation on NLog Wiki - -

- Asynchronous target wrapper allows the logger code to execute more quickly, by queueing - messages and processing them in a separate thread. You should wrap targets - that spend a non-trivial amount of time in their Write() method with asynchronous - target to speed up logging. -

-

- Because asynchronous logging is quite a common scenario, NLog supports a - shorthand notation for wrapping all targets with AsyncWrapper. Just add async="true" to - the <targets/> element in the configuration file. -

- - - ... your targets go here ... - - ]]> -
- -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Base class for targets wrap other (single) targets. - - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Gets or sets the target that is wrapped by this target. - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Maximum number of requests in the queue. - The action to be taken when the queue overflows. - - - - Waits for the lazy writer thread to finish writing messages. - - The asynchronous continuation. - - - - Initializes the target by starting the lazy writer timer. - - - - - Shuts down the lazy writer timer. - - - - - Starts the lazy writer thread which periodically writes - queued log messages. - - - - - Starts the lazy writer thread. - - - - - Adds the log event to asynchronous queue to be processed by - the lazy writer thread. - - The log event. - - The is called - to ensure that the log event can be processed in another thread. - - - - - Gets or sets the number of log events that should be processed in a batch - by the lazy writer thread. - - - - - - Gets or sets the time in milliseconds to sleep between batches. - - - - - - Gets or sets the action to be taken when the lazy writer thread request queue count - exceeds the set limit. - - - - - - Gets or sets the limit on the number of requests in the lazy writer thread request queue. - - - - - - Gets the queue of lazy writer thread requests. - - - - - The action to be taken when the queue overflows. - - - - - Grow the queue. - - - - - Discard the overflowing item. - - - - - Block until there's more room in the queue. - - - - - Causes a flush after each write on a wrapped target. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Forwards the call to the .Write() - and calls on it. - - Logging event to be written out. - - - - A target that buffers log events and sends them in batches to the wrapped target. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - The flush timeout. - - - - Flushes pending events in the buffer (if any). - - The asynchronous continuation. - - - - Initializes the target. - - - - - Closes the target by flushing pending events in the buffer (if any). - - - - - Adds the specified log event to the buffer and flushes - the buffer in case the buffer gets full. - - The log event. - - - - Gets or sets the number of log events to be buffered. - - - - - - Gets or sets the timeout (in milliseconds) after which the contents of buffer will be flushed - if there's no write in the specified period of time. Use -1 to disable timed flushes. - - - - - - Gets or sets a value indicating whether to use sliding timeout. - - - This value determines how the inactivity period is determined. If sliding timeout is enabled, - the inactivity timer is reset after each write, if it is disabled - inactivity timer will - count from the first event written to the buffer. - - - - - - A base class for targets which wrap other (multiple) targets - and provide various forms of target routing. - - - - - Initializes a new instance of the class. - - The targets. - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Writes logging event to the log target. - - Logging event to be written out. - - - - Flush any pending log messages for all wrapped targets. - - The asynchronous continuation. - - - - Gets the collection of targets managed by this compound target. - - - - - Provides fallback-on-error. - - Documentation on NLog Wiki - -

This example causes the messages to be written to server1, - and if it fails, messages go to server2.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to the sub-targets until one of them succeeds. - - The log event. - - The method remembers the last-known-successful target - and starts the iteration from it. - If is set, the method - resets the target to the first target - stored in . - - - - - Gets or sets a value indicating whether to return to the first target after any successful write. - - - - - - Filtering rule for . - - - - - Initializes a new instance of the FilteringRule class. - - - - - Initializes a new instance of the FilteringRule class. - - Condition to be tested against all events. - Filter to apply to all log events when the first condition matches any of them. - - - - Gets or sets the condition to be tested. - - - - - - Gets or sets the resulting filter to be applied when the condition matches. - - - - - - Filters log entries based on a condition. - - Documentation on NLog Wiki - -

This example causes the messages not contains the string '1' to be ignored.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The condition. - - - - Checks the condition against the passed log event. - If the condition is met, the log event is forwarded to - the wrapped target. - - Log event. - - - - Gets or sets the condition expression. Log events who meet this condition will be forwarded - to the wrapped target. - - - - - - Filters buffered log entries based on a set of conditions that are evaluated on a group of events. - - Documentation on NLog Wiki - - PostFilteringWrapper must be used with some type of buffering target or wrapper, such as - AsyncTargetWrapper, BufferingWrapper or ASPNetBufferingWrapper. - - -

- This example works like this. If there are no Warn,Error or Fatal messages in the buffer - only Info messages are written to the file, but if there are any warnings or errors, - the output includes detailed trace (levels >= Debug). You can plug in a different type - of buffering wrapper (such as ASPNetBufferingWrapper) to achieve different - functionality. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Evaluates all filtering rules to find the first one that matches. - The matching rule determines the filtering condition to be applied - to all items in a buffer. If no condition matches, default filter - is applied to the array of log events. - - Array of log events to be post-filtered. - - - - Gets or sets the default filter to be applied when no specific rule matches. - - - - - - Gets the collection of filtering rules. The rules are processed top-down - and the first rule that matches determines the filtering condition to - be applied to log events. - - - - - - Sends log messages to a randomly selected target. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt - chosen randomly on a per-message basis. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to one of the sub-targets. - The sub-target is randomly chosen. - - The log event. - - - - Repeats each log event the specified number of times. - - Documentation on NLog Wiki - -

This example causes each log message to be repeated 3 times.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The repeat count. - - - - Forwards the log message to the by calling the method times. - - The log event. - - - - Gets or sets the number of times to repeat each log message. - - - - - - Retries in case of write error. - - Documentation on NLog Wiki - -

This example causes each write attempt to be repeated 3 times, - sleeping 1 second between attempts if first one fails.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The retry count. - The retry delay milliseconds. - - - - Writes the specified log event to the wrapped target, retrying and pausing in case of an error. - - The log event. - - - - Gets or sets the number of retries that should be attempted on the wrapped target in case of a failure. - - - - - - Gets or sets the time to wait between retries in milliseconds. - - - - - - Distributes log events to targets in a round-robin fashion. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt. - Each odd message is written to file2.txt, each even message goes to file1.txt. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the write to one of the targets from - the collection. - - The log event. - - The writes are routed in a round-robin fashion. - The first log event goes to the first target, the second - one goes to the second target and so on looping to the - first target when there are no more targets available. - In general request N goes to Targets[N % Targets.Count]. - - - - - Writes log events to all targets. - - Documentation on NLog Wiki - -

This example causes the messages to be written to both file1.txt or file2.txt -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the specified log event to all sub-targets. - - The log event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Current local time retrieved directly from DateTime.Now. - - - - - Defines source of current time. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets current time. - - - - - Gets or sets current global time source used in all log events. - - - Default time source is . - - - - - Gets current local time directly from DateTime.Now. - - - - - Current UTC time retrieved directly from DateTime.UtcNow. - - - - - Gets current UTC time directly from DateTime.UtcNow. - - - - - Fast time source that updates current time only once per tick (15.6 milliseconds). - - - - - Gets raw uncached time from derived time source. - - - - - Gets current time cached for one system tick (15.6 milliseconds). - - - - - Fast local time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached local time directly from DateTime.Now. - - - - - Fast UTC time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached UTC time directly from DateTime.UtcNow. - - - - - Marks class as a time source and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the time source. - -
-
diff --git a/packages/NLog.3.1.0.0/lib/sl5/NLog.dll b/packages/NLog.3.1.0.0/lib/sl5/NLog.dll deleted file mode 100644 index 6cd4722..0000000 Binary files a/packages/NLog.3.1.0.0/lib/sl5/NLog.dll and /dev/null differ diff --git a/packages/NLog.3.1.0.0/lib/sl5/NLog.xml b/packages/NLog.3.1.0.0/lib/sl5/NLog.xml deleted file mode 100644 index ab8bd8c..0000000 --- a/packages/NLog.3.1.0.0/lib/sl5/NLog.xml +++ /dev/null @@ -1,10254 +0,0 @@ - - - - NLog - - - - - Asynchronous continuation delegate - function invoked at the end of asynchronous - processing. - - Exception during asynchronous processing or null if no exception - was thrown. - - - - Helpers for asynchronous operations. - - - - - Iterates over all items in the given collection and runs the specified action - in sequence (each action executes only after the preceding one has completed without an error). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Repeats the specified asynchronous action multiple times and invokes asynchronous continuation at the end. - - The repeat count. - The asynchronous continuation to invoke at the end. - The action to invoke. - - - - Modifies the continuation by pre-pending given action to execute just before it. - - The async continuation. - The action to pre-pend. - Continuation which will execute the given action before forwarding to the actual continuation. - - - - Attaches a timeout to a continuation which will invoke the continuation when the specified - timeout has elapsed. - - The asynchronous continuation. - The timeout. - Wrapped continuation. - - - - Iterates over all items in the given collection and runs the specified action - in parallel (each action executes on a thread from thread pool). - - Type of each item. - The items to iterate. - The asynchronous continuation to invoke once all items - have been iterated. - The action to invoke for each item. - - - - Runs the specified asynchronous action synchronously (blocks until the continuation has - been invoked). - - The action. - - Using this method is not recommended because it will block the calling thread. - - - - - Wraps the continuation with a guard which will only make sure that the continuation function - is invoked only once. - - The asynchronous continuation. - Wrapped asynchronous continuation. - - - - Gets the combined exception from all exceptions in the list. - - The exceptions. - Combined exception or null if no exception was thrown. - - - - Asynchronous action. - - Continuation to be invoked at the end of action. - - - - Asynchronous action with one argument. - - Type of the argument. - Argument to the action. - Continuation to be invoked at the end of action. - - - - Represents the logging event with asynchronous continuation. - - - - - Initializes a new instance of the struct. - - The log event. - The continuation. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Implements the operator ==. - - The event info1. - The event info2. - The result of the operator. - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - A value of true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the log event. - - - - - Gets the continuation. - - - - - NLog internal logger. - - - - - Initializes static members of the InternalLogger class. - - - - - Logs the specified message at the specified level. - - Log level. - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the specified level. - - Log level. - Log message. - - - - Logs the specified message at the Trace level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Trace level. - - Log message. - - - - Logs the specified message at the Debug level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Debug level. - - Log message. - - - - Logs the specified message at the Info level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Info level. - - Log message. - - - - Logs the specified message at the Warn level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Warn level. - - Log message. - - - - Logs the specified message at the Error level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Error level. - - Log message. - - - - Logs the specified message at the Fatal level. - - Message which may include positional parameters. - Arguments to the message. - - - - Logs the specified message at the Fatal level. - - Log message. - - - - Gets or sets the internal log level. - - - - - Gets or sets a value indicating whether internal messages should be written to the console output stream. - - - - - Gets or sets a value indicating whether internal messages should be written to the console error stream. - - - - - Gets or sets the name of the internal log file. - - A value of value disables internal logging to a file. - - - - Gets or sets the text writer that will receive internal logs. - - - - - Gets or sets a value indicating whether timestamp should be included in internal log output. - - - - - Gets a value indicating whether internal log includes Trace messages. - - - - - Gets a value indicating whether internal log includes Debug messages. - - - - - Gets a value indicating whether internal log includes Info messages. - - - - - Gets a value indicating whether internal log includes Warn messages. - - - - - Gets a value indicating whether internal log includes Error messages. - - - - - Gets a value indicating whether internal log includes Fatal messages. - - - - - A cyclic buffer of object. - - - - - Initializes a new instance of the class. - - Buffer size. - Whether buffer should grow as it becomes full. - The maximum number of items that the buffer can grow to. - - - - Adds the specified log event to the buffer. - - Log event. - The number of items in the buffer. - - - - Gets the array of events accumulated in the buffer and clears the buffer as one atomic operation. - - Events in the buffer. - - - - Gets the number of items in the array. - - - - - Condition and expression. - - - - - Base class for representing nodes in condition expression trees. - - - - - Converts condition text to a condition expression tree. - - Condition text to be converted. - Condition expression tree. - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Initializes a new instance of the class. - - Left hand side of the AND expression. - Right hand side of the AND expression. - - - - Returns a string representation of this expression. - - A concatenated '(Left) and (Right)' string. - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the conjunction operator. - - - - Gets the left hand side of the AND expression. - - - - - Gets the right hand side of the AND expression. - - - - - Exception during evaluation of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Condition layout expression (represented by a string literal - with embedded ${}). - - - - - Initializes a new instance of the class. - - The layout. - - - - Returns a string representation of this expression. - - String literal in single quotes. - - - - Evaluates the expression by calculating the value - of the layout in the specified evaluation context. - - Evaluation context. - The value of the layout. - - - - Gets the layout. - - The layout. - - - - Condition level expression (represented by the level keyword). - - - - - Returns a string representation of the expression. - - The 'level' string. - - - - Evaluates to the current log level. - - Evaluation context. Ignored. - The object representing current log level. - - - - Condition literal expression (numeric, LogLevel.XXX, true or false). - - - - - Initializes a new instance of the class. - - Literal value. - - - - Returns a string representation of the expression. - - The literal value. - - - - Evaluates the expression. - - Evaluation context. - The literal value as passed in the constructor. - - - - Gets the literal value. - - The literal value. - - - - Condition logger name expression (represented by the logger keyword). - - - - - Returns a string representation of this expression. - - A logger string. - - - - Evaluates to the logger name. - - Evaluation context. - The logger name. - - - - Condition message expression (represented by the message keyword). - - - - - Returns a string representation of this expression. - - The 'message' string. - - - - Evaluates to the logger message. - - Evaluation context. - The logger message. - - - - Marks class as a log event Condition and assigns a name to it. - - - - - Attaches a simple name to an item (such as , - , , etc.). - - - - - Initializes a new instance of the class. - - The name of the item. - - - - Gets the name of the item. - - The name of the item. - - - - Initializes a new instance of the class. - - Condition method name. - - - - Condition method invocation expression (represented by method(p1,p2,p3) syntax). - - - - - Initializes a new instance of the class. - - Name of the condition method. - of the condition method. - The method parameters. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the method info. - - - - - Gets the method parameters. - - The method parameters. - - - - A bunch of utility methods (mostly predicates) which can be used in - condition expressions. Parially inspired by XPath 1.0. - - - - - Compares two values for equality. - - The first value. - The second value. - true when two objects are equal, false otherwise. - - - - Compares two strings for equality. - - The first string. - The second string. - Optional. If true, case is ignored; if false (default), case is significant. - true when two strings are equal, false otherwise. - - - - Gets or sets a value indicating whether the second string is a substring of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a substring of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a prefix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Gets or sets a value indicating whether the second string is a suffix of the first one. - - The first string. - The second string. - Optional. If true (default), case is ignored; if false, case is significant. - true when the second string is a prefix of the first string, false otherwise. - - - - Returns the length of a string. - - A string whose lengths is to be evaluated. - The length of the string. - - - - Marks the class as containing condition methods. - - - - - Condition not expression. - - - - - Initializes a new instance of the class. - - The expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Gets the expression to be negated. - - The expression. - - - - Condition or expression. - - - - - Initializes a new instance of the class. - - Left hand side of the OR expression. - Right hand side of the OR expression. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression by evaluating and recursively. - - Evaluation context. - The value of the alternative operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Exception during parsing of condition expression. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Condition parser. Turns a string representation of condition expression - into an expression tree. - - - - - Initializes a new instance of the class. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The expression to be parsed. - Instance of used to resolve references to condition methods and layout renderers. - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - Parses the specified condition string and turns it into - tree. - - The string reader. - Instance of used to resolve references to condition methods and layout renderers. - - The root of the expression syntax tree which can be used to get the value of the condition in a specified context. - - - - - Condition relational (==, !=, <, <=, - > or >=) expression. - - - - - Initializes a new instance of the class. - - The left expression. - The right expression. - The relational operator. - - - - Returns a string representation of the expression. - - - A that represents the condition expression. - - - - - Evaluates the expression. - - Evaluation context. - Expression result. - - - - Compares the specified values using specified relational operator. - - The first value. - The second value. - The relational operator. - Result of the given relational operator. - - - - Gets the left expression. - - The left expression. - - - - Gets the right expression. - - The right expression. - - - - Gets the relational operator. - - The operator. - - - - Relational operators used in conditions. - - - - - Equality (==). - - - - - Inequality (!=). - - - - - Less than (<). - - - - - Greater than (>). - - - - - Less than or equal (<=). - - - - - Greater than or equal (>=). - - - - - Hand-written tokenizer for conditions. - - - - - Initializes a new instance of the class. - - The string reader. - - - - Asserts current token type and advances to the next token. - - Expected token type. - If token type doesn't match, an exception is thrown. - - - - Asserts that current token is a keyword and returns its value and advances to the next token. - - Keyword value. - - - - Gets or sets a value indicating whether current keyword is equal to the specified value. - - The keyword. - - A value of true if current keyword is equal to the specified value; otherwise, false. - - - - - Gets or sets a value indicating whether the tokenizer has reached the end of the token stream. - - - A value of true if the tokenizer has reached the end of the token stream; otherwise, false. - - - - - Gets or sets a value indicating whether current token is a number. - - - A value of true if current token is a number; otherwise, false. - - - - - Gets or sets a value indicating whether the specified token is of specified type. - - The token type. - - A value of true if current token is of specified type; otherwise, false. - - - - - Gets the next token and sets and properties. - - - - - Gets the token position. - - The token position. - - - - Gets the type of the token. - - The type of the token. - - - - Gets the token value. - - The token value. - - - - Gets the value of a string token. - - The string token value. - - - - Mapping between characters and token types for punctuations. - - - - - Initializes a new instance of the CharToTokenType struct. - - The character. - Type of the token. - - - - Token types for condition expressions. - - - - - Marks the class or a member as advanced. Advanced classes and members are hidden by - default in generated documentation. - - - - - Initializes a new instance of the class. - - - - - Identifies that the output of layout or layout render does not change for the lifetime of the current appdomain. - - - - - Used to mark configurable parameters which are arrays. - Specifies the mapping between XML elements and .NET types. - - - - - Initializes a new instance of the class. - - The type of the array item. - The XML element name that represents the item. - - - - Gets the .NET type of the array item. - - - - - Gets the XML element name. - - - - - Constructs a new instance the configuration item (target, layout, layout renderer, etc.) given its type. - - Type of the item. - Created object of the specified type. - - - - Provides registration information for named items (targets, layouts, layout renderers, etc.) managed by NLog. - - - - - Initializes static members of the class. - - - - - Initializes a new instance of the class. - - The assemblies to scan for named items. - - - - Registers named items from the assembly. - - The assembly. - - - - Registers named items from the assembly. - - The assembly. - Item name prefix. - - - - Clears the contents of all factories. - - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Builds the default configuration item factory. - - Default factory. - - - - Registers items in NLog.Extended.dll using late-bound types, so that we don't need a reference to NLog.Extended.dll. - - - - - Gets or sets default singleton instance of . - - - - - Gets or sets the creator delegate used to instantiate configuration objects. - - - By overriding this property, one can enable dependency injection or interception for created objects. - - - - - Gets the factory. - - The target factory. - - - - Gets the factory. - - The filter factory. - - - - Gets the factory. - - The layout renderer factory. - - - - Gets the factory. - - The layout factory. - - - - Gets the ambient property factory. - - The ambient property factory. - - - - Gets the time source factory. - - The time source factory. - - - - Gets the condition method factory. - - The condition method factory. - - - - Attribute used to mark the default parameters for layout renderers. - - - - - Initializes a new instance of the class. - - - - - Factory for class-based items. - - The base type of each item. - The type of the attribute used to annotate itemss. - - - - Represents a factory of named items (such as targets, layouts, layout renderers, etc.). - - Base type for each item instance. - Item definition type (typically or ). - - - - Registers new item definition. - - Name of the item. - Item definition. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Creates item instance. - - Name of the item. - Newly created item instance. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Provides means to populate factories of named items (such as targets, layouts, layout renderers, etc.). - - - - - Scans the assembly. - - The assembly. - The prefix. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Registers the item based on a type name. - - Name of the item. - Name of the type. - - - - Clears the contents of the factory. - - - - - Registers a single type definition. - - The item name. - The type of the item. - - - - Tries to get registed item definition. - - Name of the item. - Reference to a variable which will store the item definition. - Item definition. - - - - Tries to create an item instance. - - Name of the item. - The result. - True if instance was created successfully, false otherwise. - - - - Creates an item instance. - - The name of the item. - Created item. - - - - Implemented by objects which support installation and uninstallation. - - - - - Performs installation which requires administrative permissions. - - The installation context. - - - - Performs uninstallation which requires administrative permissions. - - The installation context. - - - - Determines whether the item is installed. - - The installation context. - - Value indicating whether the item is installed or null if it is not possible to determine. - - - - - Provides context for install/uninstall operations. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The log output. - - - - Logs the specified trace message. - - The message. - The arguments. - - - - Logs the specified debug message. - - The message. - The arguments. - - - - Logs the specified informational message. - - The message. - The arguments. - - - - Logs the specified warning message. - - The message. - The arguments. - - - - Logs the specified error message. - - The message. - The arguments. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates the log event which can be used to render layouts during installation/uninstallations. - - Log event info object. - - - - Gets or sets the installation log level. - - - - - Gets or sets a value indicating whether to ignore failures during installation. - - - - - Gets the installation parameters. - - - - - Gets or sets the log output. - - - - - Keeps logging configuration and provides simple API - to modify it. - - - - - Initializes a new instance of the class. - - - - - Registers the specified target object under a given name. - - - Name of the target. - - - The target object. - - - - - Finds the target with the specified name. - - - The name of the target to be found. - - - Found target or when the target is not found. - - - - - Called by LogManager when one of the log configuration files changes. - - - A new instance of that represents the updated configuration. - - - - - Removes the specified named target. - - - Name of the target. - - - - - Installs target-specific objects on current system. - - The installation context. - - Installation typically runs with administrative permissions. - - - - - Uninstalls target-specific objects from current system. - - The installation context. - - Uninstallation typically runs with administrative permissions. - - - - - Closes all targets and releases any unmanaged resources. - - - - - Flushes any pending log messages on all appenders. - - The asynchronous continuation. - - - - Validates the configuration. - - - - - Gets a collection of named targets specified in the configuration. - - - A list of named targets. - - - Unnamed targets (such as those wrapped by other targets) are not returned. - - - - - Gets the collection of file names which should be watched for changes by NLog. - - - - - Gets the collection of logging rules. - - - - - Gets or sets the default culture info use. - - - - - Gets all targets. - - - - - Arguments for events. - - - - - Initializes a new instance of the class. - - The old configuration. - The new configuration. - - - - Gets the old configuration. - - The old configuration. - - - - Gets the new configuration. - - The new configuration. - - - - Represents a logging rule. An equivalent of <logger /> configuration element. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Minimum log level needed to trigger this rule. - Target to be written to when the rule matches. - - - - Initializes a new instance of the class. - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends. - Target to be written to when the rule matches. - By default no logging levels are defined. You should call and to set them. - - - - Enables logging for a particular level. - - Level to be enabled. - - - - Disables logging for a particular level. - - Level to be disabled. - - - - Returns a string representation of . Used for debugging. - - - A that represents the current . - - - - - Checks whether te particular log level is enabled for this rule. - - Level to be checked. - A value of when the log level is enabled, otherwise. - - - - Checks whether given name matches the logger name pattern. - - String to be matched. - A value of when the name matches, otherwise. - - - - Gets a collection of targets that should be written to when this rule matches. - - - - - Gets a collection of child rules to be evaluated when this rule matches. - - - - - Gets a collection of filters to be checked before writing to targets. - - - - - Gets or sets a value indicating whether to quit processing any further rule when this one matches. - - - - - Gets or sets logger name pattern. - - - Logger name pattern. It may include the '*' wildcard at the beginning, at the end or at both ends but not anywhere else. - - - - - Gets the collection of log levels enabled by this rule. - - - - - Factory for locating methods. - - The type of the class marker attribute. - The type of the method marker attribute. - - - - Scans the assembly for classes marked with - and methods marked with and adds them - to the factory. - - The assembly. - The prefix to use for names. - - - - Registers the type. - - The type to register. - The item name prefix. - - - - Clears contents of the factory. - - - - - Registers the definition of a single method. - - The method name. - The method info. - - - - Tries to retrieve method by name. - - The method name. - The result. - A value of true if the method was found, false otherwise. - - - - Retrieves method by name. - - Method name. - MethodInfo object. - - - - Tries to get method definition. - - The method . - The result. - A value of true if the method was found, false otherwise. - - - - Gets a collection of all registered items in the factory. - - - Sequence of key/value pairs where each key represents the name - of the item and value is the of - the item. - - - - - Marks the object as configuration item for NLog. - - - - - Initializes a new instance of the class. - - - - - Represents simple XML element with case-insensitive attribute semantics. - - - - - Initializes a new instance of the class. - - The input URI. - - - - Initializes a new instance of the class. - - The reader to initialize element from. - - - - Prevents a default instance of the class from being created. - - - - - Returns children elements with the specified element name. - - Name of the element. - Children elements with the specified element name. - - - - Gets the required attribute. - - Name of the attribute. - Attribute value. - Throws if the attribute is not specified. - - - - Gets the optional boolean attribute value. - - Name of the attribute. - Default value to return if the attribute is not found. - Boolean attribute value or default. - - - - Gets the optional attribute value. - - Name of the attribute. - The default value. - Value of the attribute or default value. - - - - Asserts that the name of the element is among specified element names. - - The allowed names. - - - - Gets the element name. - - - - - Gets the dictionary of attribute values. - - - - - Gets the collection of child elements. - - - - - Gets the value of the element. - - - - - Attribute used to mark the required parameters for targets, - layout targets and filters. - - - - - Provides simple programmatic configuration API used for trivial logging cases. - - - - - Configures NLog for console logging so that all messages above and including - the level are output to the console. - - - - - Configures NLog for console logging so that all messages above and including - the specified level are output to the console. - - The minimal logging level. - - - - Configures NLog for to log to the specified target so that all messages - above and including the level are output. - - The target to log all messages to. - - - - Configures NLog for to log to the specified target so that all messages - above and including the specified level are output. - - The target to log all messages to. - The minimal logging level. - - - - Configures NLog for file logging so that all messages above and including - the level are written to the specified file. - - Log file name. - - - - Configures NLog for file logging so that all messages above and including - the specified level are written to the specified file. - - Log file name. - The minimal logging level. - - - - Value indicating how stack trace should be captured when processing the log event. - - - - - Stack trace should not be captured. - - - - - Stack trace should be captured without source-level information. - - - - - Capture maximum amount of the stack trace information supported on the plaform. - - - - - Marks the layout or layout renderer as producing correct results regardless of the thread - it's running on. - - - - - A class for configuring NLog through an XML configuration file - (App.config style or App.nlog style). - - - - - Initializes a new instance of the class. - - Configuration file to be read. - - - - Initializes a new instance of the class. - - Configuration file to be read. - Ignore any errors during configuration. - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - - - - Initializes a new instance of the class. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Re-reads the original configuration file and returns the new object. - - The new object. - - - - Initializes the configuration. - - containing the configuration section. - Name of the file that contains the element (to be used as a base for including other files). - Ignore any errors during configuration. - - - - Gets or sets a value indicating whether the configuration files - should be watched for changes and reloaded automatically when changed. - - - - - Gets the collection of file names which should be watched for changes by NLog. - This is the list of configuration files processed. - If the autoReload attribute is not set it returns empty collection. - - - - - Matches when the specified condition is met. - - - Conditions are expressed using a simple language - described here. - - - - - An abstract filter class. Provides a way to eliminate log messages - based on properties other than logger name and log level. - - - - - Initializes a new instance of the class. - - - - - Gets the result of evaluating filter against given log event. - - The log event. - Filter result. - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the action to be taken when filter matches. - - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the condition expression. - - - - - - Marks class as a layout renderer and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the filter. - - - - Filter result. - - - - - The filter doesn't want to decide whether to log or discard the message. - - - - - The message should be logged. - - - - - The message should not be logged. - - - - - The message should be logged and processing should be finished. - - - - - The message should not be logged and processing should be finished. - - - - - A base class for filters that are based on comparing a value to a layout. - - - - - Initializes a new instance of the class. - - - - - Gets or sets the layout to be used to filter log messages. - - The layout. - - - - - Matches when the calculated layout contains the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets the substring to be matched. - - - - - - Matches when the calculated layout is equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Gets or sets a string to compare the layout to. - - - - - - Matches when the calculated layout does NOT contain the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets the substring to be matched. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Matches when the calculated layout is NOT equal to the specified substring. - This filter is deprecated in favour of <when /> which is based on contitions. - - - - - Initializes a new instance of the class. - - - - - Checks whether log event should be logged or not. - - Log event. - - - if the log event should be ignored
- - if the filter doesn't want to decide
- - if the log event should be logged
- .
-
- - - Gets or sets a string to compare the layout to. - - - - - - Gets or sets a value indicating whether to ignore case when comparing strings. - - - - - - Global Diagnostics Context - used for log4net compatibility. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Global Diagnostics Context - a dictionary structure to hold per-application-instance values. - - - - - Sets the Global Diagnostics Context item to the specified value. - - Item name. - Item value. - - - - Gets the Global Diagnostics Context named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in the Global Diagnostics Context. - - Item name. - A boolean indicating whether the specified item exists in current thread GDC. - - - - Removes the specified item from the Global Diagnostics Context. - - Item name. - - - - Clears the content of the GDC. - - - - - Indicates that the value of the marked element could be null sometimes, - so the check for null is necessary before its usage - - - [CanBeNull] public object Test() { return null; } - public void UseTest() { - var p = Test(); - var s = p.ToString(); // Warning: Possible 'System.NullReferenceException' - } - - - - - Indicates that the value of the marked element could never be null - - - [NotNull] public object Foo() { - return null; // Warning: Possible 'null' assignment - } - - - - - Indicates that the marked method builds string by format pattern and (optional) arguments. - Parameter, which contains format string, should be given in constructor. The format string - should be in -like form - - - [StringFormatMethod("message")] - public void ShowError(string message, params object[] args) { /* do something */ } - public void Foo() { - ShowError("Failed: {0}"); // Warning: Non-existing argument in format string - } - - - - - Specifies which parameter of an annotated method should be treated as format-string - - - - - Indicates that the function argument should be string literal and match one - of the parameters of the caller function. For example, ReSharper annotates - the parameter of - - - public void Foo(string param) { - if (param == null) - throw new ArgumentNullException("par"); // Warning: Cannot resolve symbol - } - - - - - Indicates that the method is contained in a type that implements - interface - and this method is used to notify that some property value changed - - - The method should be non-static and conform to one of the supported signatures: - - NotifyChanged(string) - NotifyChanged(params string[]) - NotifyChanged{T}(Expression{Func{T}}) - NotifyChanged{T,U}(Expression{Func{T,U}}) - SetProperty{T}(ref T, T, string) - - - - internal class Foo : INotifyPropertyChanged { - public event PropertyChangedEventHandler PropertyChanged; - [NotifyPropertyChangedInvocator] - protected virtual void NotifyChanged(string propertyName) { ... } - - private string _name; - public string Name { - get { return _name; } - set { _name = value; NotifyChanged("LastName"); /* Warning */ } - } - } - - Examples of generated notifications: - - NotifyChanged("Property") - NotifyChanged(() => Property) - NotifyChanged((VM x) => x.Property) - SetProperty(ref myField, value, "Property") - - - - - - Describes dependency between method input and output - - -

Function Definition Table syntax:

- - FDT ::= FDTRow [;FDTRow]* - FDTRow ::= Input => Output | Output <= Input - Input ::= ParameterName: Value [, Input]* - Output ::= [ParameterName: Value]* {halt|stop|void|nothing|Value} - Value ::= true | false | null | notnull | canbenull - - If method has single input parameter, it's name could be omitted.
- Using halt (or void/nothing, which is the same) - for method output means that the methos doesn't return normally.
- canbenull annotation is only applicable for output parameters.
- You can use multiple [ContractAnnotation] for each FDT row, - or use single attribute with rows separated by semicolon.
-
- - - [ContractAnnotation("=> halt")] - public void TerminationMethod() - - - [ContractAnnotation("halt <= condition: false")] - public void Assert(bool condition, string text) // regular assertion method - - - [ContractAnnotation("s:null => true")] - public bool IsNullOrEmpty(string s) // string.IsNullOrEmpty() - - - // A method that returns null if the parameter is null, and not null if the parameter is not null - [ContractAnnotation("null => null; notnull => notnull")] - public object Transform(object data) - - - [ContractAnnotation("s:null=>false; =>true,result:notnull; =>false, result:null")] - public bool TryParse(string s, out Person result) - - -
- - - Indicates that marked element should be localized or not - - - [LocalizationRequiredAttribute(true)] - internal class Foo { - private string str = "my string"; // Warning: Localizable string - } - - - - - Indicates that the value of the marked type (or its derivatives) - cannot be compared using '==' or '!=' operators and Equals() - should be used instead. However, using '==' or '!=' for comparison - with null is always permitted. - - - [CannotApplyEqualityOperator] - class NoEquality { } - class UsesNoEquality { - public void Test() { - var ca1 = new NoEquality(); - var ca2 = new NoEquality(); - if (ca1 != null) { // OK - bool condition = ca1 == ca2; // Warning - } - } - } - - - - - When applied to a target attribute, specifies a requirement for any type marked - with the target attribute to implement or inherit specific type or types. - - - [BaseTypeRequired(typeof(IComponent)] // Specify requirement - internal class ComponentAttribute : Attribute { } - [Component] // ComponentAttribute requires implementing IComponent interface - internal class MyComponent : IComponent { } - - - - - Indicates that the marked symbol is used implicitly - (e.g. via reflection, in external library), so this symbol - will not be marked as unused (as well as by other usage inspections) - - - - - Should be used on attributes and causes ReSharper - to not mark symbols marked with such attributes as unused - (as well as by other usage inspections) - - - - Only entity marked with attribute considered used - - - Indicates implicit assignment to a member - - - - Indicates implicit instantiation of a type with fixed constructor signature. - That means any unused constructor parameters won't be reported as such. - - - - Indicates implicit instantiation of a type - - - - Specify what is considered used implicitly - when marked with - or - - - - Members of entity marked with attribute are considered used - - - Entity marked with attribute and all its members considered used - - - - This attribute is intended to mark publicly available API - which should not be removed and so is treated as used - - - - - Tells code analysis engine if the parameter is completely handled - when the invoked method is on stack. If the parameter is a delegate, - indicates that delegate is executed while the method is executed. - If the parameter is an enumerable, indicates that it is enumerated - while the method is executed - - - - - Indicates that a method does not make any observable state changes. - The same as System.Diagnostics.Contracts.PureAttribute - - - [Pure] private int Multiply(int x, int y) { return x * y; } - public void Foo() { - const int a = 2, b = 2; - Multiply(a, b); // Waring: Return value of pure method is not used - } - - - - - Indicates that a parameter is a path to a file or a folder - within a web project. Path can be relative or absolute, - starting from web root (~) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC action. If applied to a method, the MVC action name is calculated - implicitly from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC area. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC controller. If applied to a method, - the MVC controller name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.ChildActionExtensions.RenderAction(HtmlHelper, String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC Master. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC model type. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(String, Object) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that - the parameter is an MVC partial view. If applied to a method, - the MVC partial view name is calculated implicitly from the context. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.RenderPartialExtensions.RenderPartial(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Allows disabling all inspections - for MVC views within a class or a method. - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC display template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.DisplayExtensions.DisplayForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC editor template. - Use this attribute for custom wrappers similar to - System.Web.Mvc.Html.EditorExtensions.EditorForModel(HtmlHelper, String) - - - - - ASP.NET MVC attribute. Indicates that a parameter is an MVC template. - Use this attribute for custom wrappers similar to - System.ComponentModel.DataAnnotations.UIHintAttribute(System.String) - - - - - ASP.NET MVC attribute. If applied to a parameter, indicates that the parameter - is an MVC view. If applied to a method, the MVC view name is calculated implicitly - from the context. Use this attribute for custom wrappers similar to - System.Web.Mvc.Controller.View(Object) - - - - - ASP.NET MVC attribute. When applied to a parameter of an attribute, - indicates that this parameter is an MVC action name - - - [ActionName("Foo")] - public ActionResult Login(string returnUrl) { - ViewBag.ReturnUrl = Url.Action("Foo"); // OK - return RedirectToAction("Bar"); // Error: Cannot resolve action - } - - - - - Razor attribute. Indicates that a parameter or a method is a Razor section. - Use this attribute for custom wrappers similar to - System.Web.WebPages.WebPageBase.RenderSection(String) - - - - - Provides untyped IDictionary interface on top of generic IDictionary. - - The type of the key. - The type of the value. - - - - Initializes a new instance of the DictionaryAdapter class. - - The implementation. - - - - Adds an element with the provided key and value to the object. - - The to use as the key of the element to add. - The to use as the value of the element to add. - - - - Removes all elements from the object. - - - - - Determines whether the object contains an element with the specified key. - - The key to locate in the object. - - True if the contains an element with the key; otherwise, false. - - - - - Returns an object for the object. - - - An object for the object. - - - - - Removes the element with the specified key from the object. - - The key of the element to remove. - - - - Copies the elements of the to an , starting at a particular index. - - The one-dimensional that is the destination of the elements copied from . The must have zero-based indexing. - The zero-based index in at which copying begins. - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Gets an object containing the values in the object. - - - - An object containing the values in the object. - - - - - Gets the number of elements contained in the . - - - - The number of elements contained in the . - - - - - Gets a value indicating whether access to the is synchronized (thread safe). - - - true if access to the is synchronized (thread safe); otherwise, false. - - - - - Gets an object that can be used to synchronize access to the . - - - - An object that can be used to synchronize access to the . - - - - - Gets a value indicating whether the object has a fixed size. - - - true if the object has a fixed size; otherwise, false. - - - - - Gets a value indicating whether the object is read-only. - - - true if the object is read-only; otherwise, false. - - - - - Gets an object containing the keys of the object. - - - - An object containing the keys of the object. - - - - - Gets or sets the with the specified key. - - Dictionary key. - Value corresponding to key or null if not found - - - - Wrapper IDictionaryEnumerator. - - - - - Initializes a new instance of the class. - - The wrapped. - - - - Advances the enumerator to the next element of the collection. - - - True if the enumerator was successfully advanced to the next element; false if the enumerator has passed the end of the collection. - - - - - Sets the enumerator to its initial position, which is before the first element in the collection. - - - - - Gets both the key and the value of the current dictionary entry. - - - - A containing both the key and the value of the current dictionary entry. - - - - - Gets the key of the current dictionary entry. - - - - The key of the current element of the enumeration. - - - - - Gets the value of the current dictionary entry. - - - - The value of the current element of the enumeration. - - - - - Gets the current element in the collection. - - - - The current element in the collection. - - - - - LINQ-like helpers (cannot use LINQ because we must work with .NET 2.0 profile). - - - - - Filters the given enumerable to return only items of the specified type. - - - Type of the item. - - - The enumerable. - - - Items of specified type. - - - - - Reverses the specified enumerable. - - - Type of enumerable item. - - - The enumerable. - - - Reversed enumerable. - - - - - Determines is the given predicate is met by any element of the enumerable. - - Element type. - The enumerable. - The predicate. - True if predicate returns true for any element of the collection, false otherwise. - - - - Converts the enumerable to list. - - Type of the list element. - The enumerable. - List of elements. - - - - Safe way to get environment variables. - - - - - Helper class for dealing with exceptions. - - - - - Determines whether the exception must be rethrown. - - The exception. - True if the exception must be rethrown, false otherwise. - - - - Object construction helper. - - - - - Adapter for to - - - - - Interface for fakeable the current . Not fully implemented, please methods/properties as necessary. - - - - - Initializes a new instance of the class. - - The to wrap. - - - - Gets a the current wrappered in a . - - - - - Base class for optimized file appenders. - - - - - Initializes a new instance of the class. - - Name of the file. - The create parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Records the last write time for a file. - - - - - Records the last write time for a file to be specific date. - - Date and time when the last write occurred. - - - - Creates the file stream. - - If set to true allow concurrent writes. - A object which can be used to write to the file. - - - - Gets the name of the file. - - The name of the file. - - - - Gets the last write time. - - The last write time. - - - - Gets the open time of the file. - - The open time. - - - - Gets the file creation parameters. - - The file creation parameters. - - - - Implementation of which caches - file information. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Closes this instance of the appender. - - - - - Flushes this current appender. - - - - - Gets the file info. - - The last write time. - Length of the file. - True if the operation succeeded, false otherwise. - - - - Writes the specified bytes to a file. - - The bytes to be written. - - - - Factory class which creates objects. - - - - - Interface implemented by all factories capable of creating file appenders. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - Instance of which can be used to write to the file. - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Interface that provides parameters for create file function. - - - - - Multi-process and multi-host file appender which attempts - to get exclusive write access and retries if it's not available. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized single-process file appender which keeps the file open for exclusive write. - - - - - Initializes a new instance of the class. - - Name of the file. - The parameters. - - - - Writes the specified bytes. - - The bytes. - - - - Flushes this instance. - - - - - Closes this instance. - - - - - Gets the file info. - - The last write time. - Length of the file. - - True if the operation succeeded, false otherwise. - - - - - Factory class. - - - - - Opens the appender for given file name and parameters. - - Name of the file. - Creation parameters. - - Instance of which can be used to write to the file. - - - - - Optimized routines to get the size and last write time of the specified file. - - - - - Initializes static members of the FileInfoHelper class. - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - A value of true if file information was retrieved successfully, false otherwise. - - - - Interface implemented by layouts and layout renderers. - - - - - Renders the the value of layout or layout renderer in the context of the specified log event. - - The log event. - String representation of a layout. - - - - Supports object initialization and termination. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Allows components to request stack trace information to be provided in the . - - - - - Gets the level of stack trace information required by the implementing class. - - - - - Define Localizable attribute for platforms that don't have it. - - - - - Initializes a new instance of the class. - - Determines whether the target is localizable. - - - - Gets or sets a value indicating whether the target is localizable. - - - - - Logger configuration. - - - - - Initializes a new instance of the class. - - The targets by level. - - - - Gets targets for the specified level. - - The level. - Chain of targets with attached filters. - - - - Determines whether the specified level is enabled. - - The level. - - A value of true if the specified level is enabled; otherwise, false. - - - - - Message Box helper. - - - - - Shows the specified message using platform-specific message box. - - The message. - The caption. - - - - Network sender which uses HTTP or HTTPS POST. - - - - - A base class for all network senders. Supports one-way sending of messages - over various protocols. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Finalizes an instance of the NetworkSender class. - - - - - Initializes this network sender. - - - - - Closes the sender and releases any unmanaged resources. - - The continuation. - - - - Flushes any pending messages and invokes a continuation. - - The continuation. - - - - Send the given text over the specified protocol. - - Bytes to be sent. - Offset in buffer. - Number of bytes to send. - The asynchronous continuation. - - - - Closes the sender and releases any unmanaged resources. - - - - - Performs sender-specific initialization. - - - - - Performs sender-specific close operation. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Parses the URI into an endpoint address. - - The URI to parse. - The address family. - Parsed endpoint. - - - - Gets the address of the network endpoint. - - - - - Gets the last send time. - - - - - Initializes a new instance of the class. - - The network URL. - - - - Actually sends the given text over the specified protocol. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Creates instances of objects for given URLs. - - - - - Creates a new instance of the network sender based on a network URL. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - - A newly created network sender. - - - - - Interface for mocking socket calls. - - - - - Default implementation of . - - - - - Creates a new instance of the network sender based on a network URL:. - - - URL that determines the network sender to be created. - - - The maximum queue size. - - /// - A newly created network sender. - - - - - Socket proxy for mocking Socket code. - - - - - Initializes a new instance of the class. - - The address family. - Type of the socket. - Type of the protocol. - - - - Closes the wrapped socket. - - - - - Invokes ConnectAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Invokes SendAsync method on the wrapped socket. - - The instance containing the event data. - Result of original method. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Sends messages over a TCP network connection. - - - - - Initializes a new instance of the class. - - URL. Must start with tcp://. - The address family. - - - - Creates the socket with given parameters. - - The address family. - Type of the socket. - Type of the protocol. - Instance of which represents the socket. - - - - Performs sender-specific initialization. - - - - - Closes the socket. - - The continuation. - - - - Performs sender-specific flush. - - The continuation. - - - - Sends the specified text over the connected socket. - - The bytes to be sent. - Offset in buffer. - Number of bytes to send. - The async continuation to be invoked after the buffer has been sent. - To be overridden in inheriting classes. - - - - Facilitates mocking of class. - - - - - Raises the Completed event. - - - - - Scans (breadth-first) the object graph following all the edges whose are - instances have attached and returns - all objects implementing a specified interfaces. - - - - - Finds the objects which have attached which are reachable - from any of the given root objects when traversing the object graph over public properties. - - Type of the objects to return. - The root objects. - Ordered list of objects implementing T. - - - - Parameter validation utilities. - - - - - Asserts that the value is not null and throws otherwise. - - The value to check. - Name of the parameter. - - - - Detects the platform the NLog is running on. - - - - - Gets the current runtime OS. - - - - - Gets a value indicating whether current OS is a desktop version of Windows. - - - - - Gets a value indicating whether current OS is Win32-based (desktop or mobile). - - - - - Gets a value indicating whether current OS is Unix-based. - - - - - Portable implementation of . - - - - - Gets the information about a file. - - Name of the file. - The file handle. - The last write time of the file. - Length of the file. - - A value of true if file information was retrieved successfully, false otherwise. - - - - - Reflection helpers for accessing properties. - - - - - Reflection helpers. - - - - - Gets all usable exported types from the given assembly. - - Assembly to scan. - Usable types from the given assembly. - Types which cannot be loaded are skipped. - - - - Supported operating systems. - - - If you add anything here, make sure to add the appropriate detection - code to - - - - - Any operating system. - - - - - Unix/Linux operating systems. - - - - - Windows CE. - - - - - Desktop versions of Windows (95,98,ME). - - - - - Windows NT, 2000, 2003 and future versions based on NT technology. - - - - - Unknown operating system. - - - - - Simple character tokenizer. - - - - - Initializes a new instance of the class. - - The text to be tokenized. - - - - Implements a single-call guard around given continuation function. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - - - - Continuation function which implements the single-call guard. - - The exception. - - - - Provides helpers to sort log events and associated continuations. - - - - - Performs bucket sort (group by) on an array of items and returns a dictionary for easy traversal of the result set. - - The type of the value. - The type of the key. - The inputs. - The key selector function. - - Dictonary where keys are unique input keys, and values are lists of . - - - - - Key selector delegate. - - The type of the value. - The type of the key. - Value to extract key information from. - Key selected from log event. - - - - Utilities for dealing with values. - - - - - Represents target with a chain of filters which determine - whether logging should happen. - - - - - Initializes a new instance of the class. - - The target. - The filter chain. - - - - Gets the stack trace usage. - - A value that determines stack trace handling. - - - - Gets the target. - - The target. - - - - Gets the filter chain. - - The filter chain. - - - - Gets or sets the next item in the chain. - - The next item in the chain. - - - - Helper for dealing with thread-local storage. - - - - - Allocates the data slot for storing thread-local information. - - Allocated slot key. - - - - Gets the data for a slot in thread-local storage. - - Type of the data. - The slot to get data for. - - Slot data (will create T if null). - - - - - Wraps with a timeout. - - - - - Initializes a new instance of the class. - - The asynchronous continuation. - The timeout. - - - - Continuation function which implements the timeout logic. - - The exception. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - URL Encoding helper. - - - - - Helper class for XML - - - - - removes any unusual unicode characters that can't be encoded into XML - - - - - Safe version of WriteAttributeString - - - - - - - - - - Safe version of WriteAttributeString - - - - - - - - Safe version of WriteElementSafeString - - - - - - - - - - Safe version of WriteCData - - - - - - - Designates a property of the class as an ambient property. - - - - - Initializes a new instance of the class. - - Ambient property name. - - - - Assembly version. - - - - - Render environmental information related to logging events. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Renders the the value of layout renderer in the context of the specified log event. - - The log event. - String representation of a layout renderer. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Gets the logging configuration this target is part of. - - - - - Renders assembly version and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The call site (class name, method name and source information). - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render the class name. - - - - - - Gets or sets a value indicating whether to render the method name. - - - - - - Gets or sets a value indicating whether the method name will be cleaned up if it is detected as an anonymous delegate. - - - - - - Gets or sets the number of frames to skip. - - - - - Gets the level of stack trace information required by the implementing class. - - - - - A counter value (increases on each layout rendering). - - - - - Initializes a new instance of the class. - - - - - Renders the specified counter value and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the initial value of the counter. - - - - - - Gets or sets the value to be added to the counter after each layout rendering. - - - - - - Gets or sets the name of the sequence. Different named sequences can have individual values. - - - - - - Current date and time. - - - - - Initializes a new instance of the class. - - - - - Renders the current date and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the culture used for rendering. - - - - - - Gets or sets the date format. Can be any argument accepted by DateTime.ToString(format). - - - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - URI of the HTML page which hosts the current Silverlight application. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Log event context data. - - - - - Renders the specified log event context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Exception information provided through - a call to one of the Logger.*Exception() methods. - - - - - Initializes a new instance of the class. - - - - - Renders the specified exception information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the format of the output. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the format of the output of inner exceptions. Must be a comma-separated list of exception - properties: Message, Type, ShortType, ToString, Method, StackTrace. - This parameter value is case-insensitive. - - - - - - Gets or sets the separator used to concatenate parts specified in the Format. - - - - - - Gets or sets the maximum number of inner exceptions to include in the output. - By default inner exceptions are not enabled for compatibility with NLog 1.0. - - - - - - Gets or sets the separator between inner exceptions. - - - - - - Renders contents of the specified file. - - - - - Initializes a new instance of the class. - - - - - Renders the contents of the specified file and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file. - - - - - - Gets or sets the encoding used in the file. - - The encoding. - - - - - The information about the garbage collector. - - - - - Initializes a new instance of the class. - - - - - Renders the selected process information. - - The to append the rendered data to. - Logging event. - - - - Gets or sets the property to retrieve. - - - - - - Gets or sets the property of System.GC to retrieve. - - - - - Total memory allocated. - - - - - Total memory allocated (perform full garbage collection first). - - - - - Gets the number of Gen0 collections. - - - - - Gets the number of Gen1 collections. - - - - - Gets the number of Gen2 collections. - - - - - Maximum generation number supported by GC. - - - - - Global Diagnostics Context item. Provided for compatibility with log4net. - - - - - Renders the specified Global Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - Globally-unique identifier (GUID). - - - - - Initializes a new instance of the class. - - - - - Renders a newly generated GUID string and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the GUID format as accepted by Guid.ToString() method. - - - - - - Installation parameter (passed to InstallNLogConfig). - - - - - Renders the specified installation parameter and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the parameter. - - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Name of the layout renderer. - - - - The log level. - - - - - Renders the current log level and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - A string literal. - - - This is used to escape '${' sequence - as ;${literal:text=${}' - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The literal text value. - This is used by the layout compiler. - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the literal text. - - - - - - XML event description compatible with log4j, Chainsaw and NLogViewer. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Renders the XML logging event and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets a value indicating whether the XML should use spaces for indentation. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include source info (file name and line number) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include contents of the dictionary. - - - - - - Gets or sets a value indicating whether to include contents of the stack. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - The logger name. - - - - - Renders the logger name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to render short logger name (the part after the trailing dot character). - - - - - - The date and time in a long, sortable format yyyy-MM-dd HH:mm:ss.mmm. - - - - - Renders the date in the long format (yyyy-MM-dd HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Mapped Diagnostic Context item. Provided for compatibility with log4net. - - - - - Renders the specified MDC item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the item. - - - - - - The formatted log message. - - - - - Initializes a new instance of the class. - - - - - Renders the log message including any positional parameters and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to log exception along with message. - - - - - - Gets or sets the string that separates message from the exception. - - - - - - Nested Diagnostic Context item. Provided for compatibility with log4net. - - - - - Initializes a new instance of the class. - - - - - Renders the specified Nested Diagnostics Context item and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the number of bottom stack frames to be rendered. - - - - - - Gets or sets the separator to be used for concatenating nested diagnostics context output. - - - - - - A newline literal. - - - - - Renders the specified string literal and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The process time in format HH:mm:ss.mmm. - - - - - Renders the current process running time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The short date in a sortable format yyyy-MM-dd. - - - - - Renders the current short date string (yyyy-MM-dd) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Information about Silverlight application. - - - - - Initializes a new instance of the class. - - - - - Renders the specified environmental information and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets specific information to display. - - - - - - Specifies application information to display in ${sl-appinfo} renderer. - - - - - URI of the current application XAP file. - - - - - Whether application is running out-of-browser. - - - - - Installed state of an application. - - - - - Whether application is running with elevated permissions. - - - - - System special folder path (includes My Documents, My Music, Program Files, Desktop, and more). - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the system special folder to use. - - - Full list of options is available at MSDN. - The most common ones are: -
    -
  • ApplicationData - roaming application data for current user.
  • -
  • CommonApplicationData - application data for all users.
  • -
  • MyDocuments - My Documents
  • -
  • DesktopDirectory - Desktop directory
  • -
  • LocalApplicationData - non roaming application data
  • -
  • Personal - user profile directory
  • -
  • System - System directory
  • -
-
- -
- - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - Format of the ${stacktrace} layout renderer output. - - - - - Raw format (multiline - as returned by StackFrame.ToString() method). - - - - - Flat format (class and method names displayed in a single line). - - - - - Detailed flat format (method signatures displayed in a single line). - - - - - Stack trace renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the call site and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the output format of the stack trace. - - - - - - Gets or sets the number of top stack frames to be rendered. - - - - - - Gets or sets the stack frame separator string. - - - - - - Gets the level of stack trace information required by the implementing class. - - - - - - A temporary directory. - - - - - Renders the directory where NLog is located and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets the name of the file to be Path.Combine()'d with the directory name. - - - - - - Gets or sets the name of the directory to be Path.Combine()'d with the directory name. - - - - - - The identifier of the current thread. - - - - - Renders the current thread identifier and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The name of the current thread. - - - - - Renders the current thread name and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The Ticks value of current date and time. - - - - - Renders the ticks value of current time and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - The time in a 24-hour, sortable format HH:mm:ss.mmm. - - - - - Renders time in the 24-h format (HH:mm:ss.mmm) and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Gets or sets a value indicating whether to output UTC time instead of local time. - - - - - - Applies caching to another layout output. - - - The value of the inner layout will be rendered only once and reused subsequently. - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Renders the inner message, processes it and appends it to the specified . - - The to append the rendered data to. - Logging event. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets the wrapped layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout renderer. - - - - - Closes the layout renderer. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - Contents of inner layout. - - - - Gets or sets a value indicating whether this is enabled. - - - - - - Filters characters not allowed in the file names by replacing them with safe character. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to modify the output of this renderer so it can be used as a part of file path - (illegal characters are replaced with '_'). - - - - - - Escapes output of another layout using JSON rules. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - JSON-encoded string. - - - - Gets or sets a value indicating whether to apply JSON encoding. - - - - - - Converts the result of another layout output to lower case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Only outputs the inner layout when exception has been defined for log message. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Applies padding to another layout output. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the number of characters to pad the output to. - - - Positive padding values cause left padding, negative values - cause right padding to the desired width. - - - - - - Gets or sets the padding character. - - - - - - Gets or sets a value indicating whether to trim the - rendered text to the absolute value of the padding length. - - - - - - Replaces a string in the output of another layout with another string. - - - - - Initializes the layout renderer. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Post-processed text. - - - - A match evaluator for Regular Expression based replacing - - - - - - - - - - Gets or sets the text to search for. - - The text search for. - - - - - Gets or sets a value indicating whether regular expressions should be used. - - A value of true if regular expressions should be used otherwise, false. - - - - - Gets or sets the replacement string. - - The replacement string. - - - - - Gets or sets the group name to replace when using regular expressions. - Leave null or empty to replace without using group name. - - The group name. - - - - - Gets or sets a value indicating whether to ignore case. - - A value of true if case should be ignored when searching; otherwise, false. - - - - - Gets or sets a value indicating whether to search for whole words. - - A value of true if whole words should be searched for; otherwise, false. - - - - - This class was created instead of simply using a lambda expression so that the "ThreadAgnosticAttributeTest" will pass - - - - - Decodes text "encrypted" with ROT-13. - - - See http://en.wikipedia.org/wiki/ROT13. - - - - - Encodes/Decodes ROT-13-encoded string. - - The string to be encoded/decoded. - Encoded/Decoded text. - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets the layout to be wrapped. - - The layout to be wrapped. - This variable is for backwards compatibility - - - - - Trims the whitespace from the result of another layout renderer. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Trimmed string. - - - - Gets or sets a value indicating whether lower case conversion should be applied. - - A value of true if lower case conversion should be applied; otherwise, false. - - - - - Converts the result of another layout output to upper case. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether upper case conversion should be applied. - - A value of true if upper case conversion should be applied otherwise, false. - - - - - Gets or sets the culture used for rendering. - - - - - - Encodes the result of another layout output for use with URLs. - - - - - Initializes a new instance of the class. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Gets or sets a value indicating whether spaces should be translated to '+' or '%20'. - - A value of true if space should be translated to '+'; otherwise, false. - - - - - Outputs alternative layout when the inner layout produces empty result. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the layout to be rendered when original layout produced empty result. - - - - - - Only outputs the inner layout when the specified condition has been met. - - - - - Transforms the output of another layout. - - Output to be transform. - Transformed text. - - - - Renders the inner layout contents. - - The log event. - - Contents of inner layout. - - - - - Gets or sets the condition that must be met for the inner layout to be printed. - - - - - - Converts the result of another layout output to be XML-compliant. - - - - - Initializes a new instance of the class. - - - - - Post-processes the rendered message. - - The text to be post-processed. - Padded and trimmed string. - - - - Gets or sets a value indicating whether to apply XML encoding. - - - - - - A column in the CSV. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The name of the column. - The layout of the column. - - - - Gets or sets the name of the column. - - - - - - Gets or sets the layout of the column. - - - - - - Specifies allowed column delimiters. - - - - - Automatically detect from regional settings. - - - - - Comma (ASCII 44). - - - - - Semicolon (ASCII 59). - - - - - Tab character (ASCII 9). - - - - - Pipe character (ASCII 124). - - - - - Space character (ASCII 32). - - - - - Custom string, specified by the CustomDelimiter. - - - - - A specialized layout that renders CSV-formatted events. - - - - - A specialized layout that supports header and footer. - - - - - Abstract interface that layouts must implement. - - - - - Converts a given text to a . - - Text to be converted. - object represented by the text. - - - - Implicitly converts the specified string to a . - - The layout string. - Instance of . - - - - Implicitly converts the specified string to a . - - The layout string. - The NLog factories to use when resolving layout renderers. - Instance of . - - - - Precalculates the layout for the specified log event and stores the result - in per-log event cache. - - The log event. - - Calling this method enables you to store the log event in a buffer - and/or potentially evaluate it in another thread even though the - layout may contain thread-dependent renderer. - - - - - Renders the event info in layout. - - The event info. - String representing log event. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Initializes the layout. - - - - - Closes the layout. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets a value indicating whether this layout is thread-agnostic (can be rendered on any thread). - - - Layout is thread-agnostic if it has been marked with [ThreadAgnostic] attribute and all its children are - like that as well. - Thread-agnostic layouts only use contents of for its output. - - - - - Gets the logging configuration this target is part of. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets or sets the body layout (can be repeated multiple times). - - - - - - Gets or sets the header layout. - - - - - - Gets or sets the footer layout. - - - - - - Initializes a new instance of the class. - - - - - Initializes the layout. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the array of parameters to be passed. - - - - - - Gets or sets a value indicating whether CVS should include header. - - A value of true if CVS should include header; otherwise, false. - - - - - Gets or sets the column delimiter. - - - - - - Gets or sets the quoting mode. - - - - - - Gets or sets the quote Character. - - - - - - Gets or sets the custom column delimiter value (valid when ColumnDelimiter is set to 'Custom'). - - - - - - Header for CSV layout. - - - - - Initializes a new instance of the class. - - The parent. - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Specifies allowes CSV quoting modes. - - - - - Quote all column. - - - - - Quote nothing. - - - - - Quote only whose values contain the quote symbol or - the separator. - - - - - Marks class as a layout renderer and assigns a format string to it. - - - - - Initializes a new instance of the class. - - Layout name. - - - - Parses layout strings. - - - - - A specialized layout that renders Log4j-compatible XML events. - - - This layout is not meant to be used explicitly. Instead you can use ${log4jxmlevent} layout renderer. - - - - - Initializes a new instance of the class. - - - - - Renders the layout for the specified logging event by invoking layout renderers. - - The logging event. - The rendered layout. - - - - Gets the instance that renders log events. - - - - - Represents a string with embedded placeholders that can render contextual information. - - - This layout is not meant to be used explicitly. Instead you can just use a string containing layout - renderers everywhere the layout is required. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout string to parse. - - - - Initializes a new instance of the class. - - The layout string to parse. - The NLog factories to use when creating references to layout renderers. - - - - Converts a text to a simple layout. - - Text to be converted. - A object. - - - - Escapes the passed text so that it can - be used literally in all places where - layout is normally expected without being - treated as layout. - - The text to be escaped. - The escaped text. - - Escaping is done by replacing all occurences of - '${' with '${literal:text=${}' - - - - - Evaluates the specified text by expadinging all layout renderers. - - The text to be evaluated. - Log event to be used for evaluation. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Evaluates the specified text by expadinging all layout renderers - in new context. - - The text to be evaluated. - The input text with all occurences of ${} replaced with - values provided by the appropriate layout renderers. - - - - Returns a that represents the current object. - - - A that represents the current object. - - - - - Renders the layout for the specified logging event by invoking layout renderers - that make up the event. - - The logging event. - The rendered layout. - - - - Gets or sets the layout text. - - - - - - Gets a collection of objects that make up this layout. - - - - - Represents the logging event. - - - - - Gets the date of the first log event created. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Log level. - Logger name. - Log message including parameter placeholders. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - - - - Initializes a new instance of the class. - - Log level. - Logger name. - An IFormatProvider that supplies culture-specific formatting information. - Log message including parameter placeholders. - Parameter array. - Exception information. - - - - Creates the null event. - - Null log event. - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - The parameters. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The format provider. - The message. - Instance of . - - - - Creates the log event. - - The log level. - Name of the logger. - The message. - The exception. - Instance of . - - - - Creates from this by attaching the specified asynchronous continuation. - - The asynchronous continuation. - Instance of with attached continuation. - - - - Returns a string representation of this log event. - - String representation of the log event. - - - - Sets the stack trace for the event info. - - The stack trace. - Index of the first user stack frame within the stack trace. - - - - Gets the unique identifier of log event which is automatically generated - and monotonously increasing. - - - - - Gets or sets the timestamp of the logging event. - - - - - Gets or sets the level of the logging event. - - - - - Gets a value indicating whether stack trace has been set for this event. - - - - - Gets the stack frame of the method that did the logging. - - - - - Gets the number index of the stack frame that represents the user - code (not the NLog code). - - - - - Gets the entire stack trace. - - - - - Gets or sets the exception information. - - - - - Gets or sets the logger name. - - - - - Gets the logger short name. - - - - - Gets or sets the log message including any parameter placeholders. - - - - - Gets or sets the parameter values or null if no parameters have been specified. - - - - - Gets or sets the format provider that was provided while logging or - when no formatProvider was specified. - - - - - Gets the formatted message. - - - - - Gets the dictionary of per-event context properties. - - - - - Gets the dictionary of per-event context properties. - - - - - Creates and manages instances of objects. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The config. - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Creates a logger that discards all log messages. - - Null logger instance. - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The type of the logger to create. The type must inherit from NLog.Logger. - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The type of the logger to create. The type must inherit from NLog.Logger. - The logger reference. Multiple calls to GetLogger with the - same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Occurs when logging changes. - - - - - Gets the current . - - - - - Gets or sets a value indicating whether exceptions should be thrown. - - A value of true if exceptiosn should be thrown; otherwise, false. - By default exceptions - are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Logger cache key. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Determines if two objects are equal in value. - - Other object to compare to. - True if objects are equal, false otherwise. - - - - Enables logging in implementation. - - - - - Initializes a new instance of the class. - - The factory. - - - - Enables logging. - - - - - Specialized LogFactory that can return instances of custom logger types. - - The type of the logger to be returned. Must inherit from . - - - - Gets the logger. - - The logger name. - An instance of . - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Provides logging interface and utility functions. - - - - - Initializes a new instance of the class. - - - - - Gets a value indicating whether logging is enabled for the specified level. - - Log level to be checked. - A value of if logging is enabled for the specified level, otherwise it returns . - - - - Writes the specified diagnostic message. - - Log event. - - - - Writes the specified diagnostic message. - - The name of the type that wraps Logger. - Log event. - - - - Writes the diagnostic message at the specified level using the specified format provider and format parameters. - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - Type of the value. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the specified level. - - The log level. - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameters and formatting them with the supplied format provider. - - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the specified level. - - The log level. - Log message. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The log level. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the specified level. - - The log level. - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the specified level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameter. - - The type of the argument. - The log level. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the specified level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the specified level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - The log level. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Trace level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Trace level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Trace level. - - Log message. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Trace level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Trace level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Trace level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Trace level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Debug level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Debug level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Debug level. - - Log message. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Debug level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Debug level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Debug level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Debug level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Info level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Info level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Info level. - - Log message. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Info level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Info level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Info level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Info level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Warn level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Warn level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Warn level. - - Log message. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Warn level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Warn level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Warn level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Warn level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Error level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Error level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Error level. - - Log message. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Error level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Error level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Error level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Error level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified format provider and format parameters. - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - Type of the value. - An IFormatProvider that supplies culture-specific formatting information. - The value to be written. - - - - Writes the diagnostic message at the Fatal level. - - A function returning message to be written. Function is not evaluated if logging is not enabled. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameters and formatting them with the supplied format provider. - - An IFormatProvider that supplies culture-specific formatting information. - A containing format items. - Arguments to format. - - - - Writes the diagnostic message at the Fatal level. - - Log message. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - A containing format items. - Arguments to format. - - - - Writes the diagnostic message and exception at the Fatal level. - - A to be written. - An exception to be logged. - - - - Writes the diagnostic message at the Fatal level using the specified parameter and formatting it with the supplied format provider. - - The type of the argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameter. - - The type of the argument. - A containing one format item. - The argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - A containing one format item. - The first argument to format. - The second argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified arguments formatting it with the supplied format provider. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - An IFormatProvider that supplies culture-specific formatting information. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Writes the diagnostic message at the Fatal level using the specified parameters. - - The type of the first argument. - The type of the second argument. - The type of the third argument. - A containing one format item. - The first argument to format. - The second argument to format. - The third argument to format. - - - - Runs action. If the action throws, the exception is logged at Error level. Exception is not propagated outside of this method. - - Action to execute. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Result returned by the provided function or fallback value in case of exception. - - - - Runs the provided function and returns its result. If exception is thrown, it is logged at Error level. - Exception is not propagated outside of this method. Fallback value is returned instead. - - Return type of the provided function. - Function to run. - Fallback value to return in case of exception. Defaults to default value of type T. - Result returned by the provided function or fallback value in case of exception. - - - - Occurs when logger configuration changes. - - - - - Gets the name of the logger. - - - - - Gets the factory that created this logger. - - - - - Gets a value indicating whether logging is enabled for the Trace level. - - A value of if logging is enabled for the Trace level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Debug level. - - A value of if logging is enabled for the Debug level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Info level. - - A value of if logging is enabled for the Info level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Warn level. - - A value of if logging is enabled for the Warn level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Error level. - - A value of if logging is enabled for the Error level, otherwise it returns . - - - - Gets a value indicating whether logging is enabled for the Fatal level. - - A value of if logging is enabled for the Fatal level, otherwise it returns . - - - - Implementation of logging engine. - - - - - Gets the filter result. - - The filter chain. - The log event. - The result of the filter. - - - - Defines available log levels. - - - - - Trace log level. - - - - - Debug log level. - - - - - Info log level. - - - - - Warn log level. - - - - - Error log level. - - - - - Fatal log level. - - - - - Off log level. - - - - - Initializes a new instance of . - - The log level name. - The log level ordinal number. - - - - Compares two objects - and returns a value indicating whether - the first one is equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal == level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is not equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal != level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than the second one. - - The first level. - The second level. - The value of level1.Ordinal > level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is greater than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal >= level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than the second one. - - The first level. - The second level. - The value of level1.Ordinal < level2.Ordinal. - - - - Compares two objects - and returns a value indicating whether - the first one is less than or equal to the second one. - - The first level. - The second level. - The value of level1.Ordinal <= level2.Ordinal. - - - - Gets the that corresponds to the specified ordinal. - - The ordinal. - The instance. For 0 it returns , 1 gives and so on. - - - - Returns the that corresponds to the supplied . - - The texual representation of the log level. - The enumeration value. - - - - Returns a string representation of the log level. - - Log level name. - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - Value of true if the specified is equal to this instance; otherwise, false. - - - The parameter is null. - - - - - Compares the level to the other object. - - - The object object. - - - A value less than zero when this logger's is - less than the other logger's ordinal, 0 when they are equal and - greater than zero when this ordinal is greater than the - other ordinal. - - - - - Gets the name of the log level. - - - - - Gets the ordinal of the log level. - - - - - Creates and manages instances of objects. - - - - - Prevents a default instance of the LogManager class from being created. - - - - - Gets the logger named after the currently-being-initialized class. - - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Gets the logger named after the currently-being-initialized class. - - The logger class. The class must inherit from . - The logger. - This is a slow-running method. - Make sure you're not doing this in a loop. - - - - Creates a logger that discards all log messages. - - Null logger which discards all log messages. - - - - Gets the specified named logger. - - Name of the logger. - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Gets the specified named logger. - - Name of the logger. - The logger class. The class must inherit from . - The logger reference. Multiple calls to GetLogger with the same argument aren't guaranteed to return the same logger reference. - - - - Loops through all loggers previously returned by GetLogger. - and recalculates their target and filter list. Useful after modifying the configuration programmatically - to ensure that all loggers have been properly configured. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - Maximum time to allow for the flush. Any messages after that time will be discarded. - - - Decreases the log enable counter and if it reaches -1 - the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - An object that iplements IDisposable whose Dispose() method - reenables logging. To be used with C# using () statement. - - - Increases the log enable counter and if it reaches 0 the logs are disabled. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Returns if logging is currently enabled. - - A value of if logging is currently enabled, - otherwise. - Logging is enabled if the number of calls is greater - than or equal to calls. - - - - Dispose all targets, and shutdown logging. - - - - - Occurs when logging changes. - - - - - Gets or sets a value indicating whether NLog should throw exceptions. - By default exceptions are not thrown under any circumstances. - - - - - Gets or sets the current logging configuration. - - - - - Gets or sets the global log threshold. Log events below this threshold are not logged. - - - - - Gets or sets the default culture to use. - - - - - Delegate used to the the culture to use. - - - - - - Returns a log message. Used to defer calculation of - the log message until it's actually needed. - - Log message. - - - - Service contract for Log Receiver client. - - - - - Begins processing of log messages. - - The events. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Internal configuration of Log Receiver Service contracts. - - - - - Wire format for NLog Event. - - - - - Initializes a new instance of the class. - - - - - Converts the to . - - The object this is part of.. - The logger name prefix to prepend in front of the logger name. - Converted . - - - - Gets or sets the client-generated identifier of the event. - - - - - Gets or sets the ordinal of the log level. - - - - - Gets or sets the logger ordinal (index into . - - The logger ordinal. - - - - Gets or sets the time delta (in ticks) between the time of the event and base time. - - - - - Gets or sets the message string index. - - - - - Gets or sets the collection of layout values. - - - - - Gets the collection of indexes into array for each layout value. - - - - - Wire format for NLog event package. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - The logger name prefix to prepend in front of each logger name. - - Sequence of objects. - - - - - Converts the events to sequence of objects suitable for routing through NLog. - - - Sequence of objects. - - - - - Gets or sets the name of the client. - - The name of the client. - - - - Gets or sets the base time (UTC ticks) for all events in the package. - - The base time UTC. - - - - Gets or sets the collection of layout names which are shared among all events. - - The layout names. - - - - Gets or sets the collection of logger names. - - The logger names. - - - - Gets or sets the list of events. - - The events. - - - - List of strings annotated for more terse serialization. - - - - - Initializes a new instance of the class. - - - - - Log Receiver Client using WCF. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - Name of the endpoint configuration. - The remote address. - - - - Initializes a new instance of the class. - - The binding. - The remote address. - - - - Opens the client asynchronously. - - - - - Opens the client asynchronously. - - User-specific state. - - - - Closes the client asynchronously. - - - - - Closes the client asynchronously. - - User-specific state. - - - - Processes the log messages asynchronously. - - The events to send. - - - - Processes the log messages asynchronously. - - The events to send. - User-specific state. - - - - Begins processing of log messages. - - The events to send. - The callback. - Asynchronous state. - - IAsyncResult value which can be passed to . - - - - - Ends asynchronous processing of log messages. - - The result. - - - - Returns a new channel from the client to the service. - - - A channel of type that identifies the type - of service contract encapsulated by this client object (proxy). - - - - - Occurs when the log message processing has completed. - - - - - Occurs when Open operation has completed. - - - - - Occurs when Close operation has completed. - - - - - Gets or sets the cookie container. - - The cookie container. - - - - Mapped Diagnostics Context - a thread-local structure that keeps a dictionary - of strings and provides methods to output them in layouts. - Mostly for compatibility with log4net. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Mapped Diagnostics Context - used for log4net compatibility. - - - - - Sets the current thread MDC item to the specified value. - - Item name. - Item value. - - - - Gets the current thread MDC named item. - - Item name. - The item value of string.Empty if the value is not present. - - - - Checks whether the specified item exists in current thread MDC. - - Item name. - A boolean indicating whether the specified item exists in current thread MDC. - - - - Removes the specified item from current thread MDC. - - Item name. - - - - Clears the content of current thread MDC. - - - - - Nested Diagnostics Context - for log4net compatibility. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Nested Diagnostics Context - a thread-local structure that keeps a stack - of strings and provides methods to output them in layouts - Mostly for compatibility with log4net. - - - - - Pushes the specified text on current thread NDC. - - The text to be pushed. - An instance of the object that implements IDisposable that returns the stack to the previous level when IDisposable.Dispose() is called. To be used with C# using() statement. - - - - Pops the top message off the NDC stack. - - The top message which is no longer on the stack. - - - - Clears current thread NDC stack. - - - - - Gets all messages on the stack. - - Array of strings on the stack. - - - - Gets the top NDC message but doesn't remove it. - - The top message. . - - - - Resets the stack to the original count during . - - - - - Initializes a new instance of the class. - - The stack. - The previous count. - - - - Reverts the stack to original item count. - - - - - Exception thrown during NLog configuration. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Exception thrown during log event processing. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The message. - - - - Initializes a new instance of the class. - - The message. - The inner exception. - - - - Specifies the way archive numbering is performed. - - - - - Sequence style numbering. The most recent archive has the highest number. - - - - - Rolling style numbering (the most recent is always #0 then #1, ..., #N. - - - - - Date style numbering. Archives will be stamped with the prior period (Year, Month, Day, Hour, Minute) datetime. - - - - - Sends log messages to the remote instance of Chainsaw application from log4j. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages to the remote instance of NLog Viewer. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will crawl. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-
-
- - - Sends log messages over the network. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

- To print the results, use any application that's able to receive messages over - TCP or UDP. NetCat is - a simple but very powerful command-line tool that can be used for that. This image - demonstrates the NetCat tool receiving log messages from Network target. -

- -

- NOTE: If your receiver application is ever likely to be off-line, don't use TCP protocol - or you'll get TCP timeouts and your application will be very slow. - Either switch to UDP transport or use AsyncWrapper target - so that your application threads will not be blocked by the timing-out connection attempts. -

-

- There are two specialized versions of the Network target: Chainsaw - and NLogViewer which write to instances of Chainsaw log4j viewer - or NLogViewer application respectively. -

-
-
- - - Represents target that supports string formatting using layouts. - - - - - Represents logging target. - - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Closes the target. - - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Calls the on each volatile layout - used by this target. - - - The log event. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Writes the log to the target. - - Log event to write. - - - - Writes the array of log events. - - The log events. - - - - Initializes this instance. - - The configuration. - - - - Closes this instance. - - - - - Releases unmanaged and - optionally - managed resources. - - True to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Initializes the target. Can be used by inheriting classes - to initialize logging. - - - - - Closes the target and releases any unmanaged resources. - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. - classes. - - - Logging event to be written out. - - - - - Writes log event to the log target. Must be overridden in inheriting - classes. - - Log event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Merges (copies) the event context properties from any event info object stored in - parameters of the given event info object. - - The event info object to perform the merge to. - - - - Gets or sets the name of the target. - - - - - - Gets the object which can be used to synchronize asynchronous operations that must rely on the . - - - - - Gets the logging configuration this target is part of. - - - - - Gets a value indicating whether the target has been initialized. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the layout used to format log messages. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Flush any pending log messages asynchronously (in case of asynchronous targets). - - The asynchronous continuation. - - - - Closes the target. - - - - - Sends the - rendered logging event over the network optionally concatenating it with a newline character. - - The logging event. - - - - Gets the bytes to be written. - - Log event. - Byte array. - - - - Gets or sets the network address. - - - The network address can be: -
    -
  • tcp://host:port - TCP (auto select IPv4/IPv6) (not supported on Windows Phone 7.0)
  • -
  • tcp4://host:port - force TCP/IPv4 (not supported on Windows Phone 7.0)
  • -
  • tcp6://host:port - force TCP/IPv6 (not supported on Windows Phone 7.0)
  • -
  • udp://host:port - UDP (auto select IPv4/IPv6, not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp4://host:port - force UDP/IPv4 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • udp6://host:port - force UDP/IPv6 (not supported on Silverlight and on Windows Phone 7.0)
  • -
  • http://host:port/pageName - HTTP using POST verb
  • -
  • https://host:port/pageName - HTTPS using POST verb
  • -
- For SOAP-based webservice support over HTTP use WebService target. -
- -
- - - Gets or sets a value indicating whether to keep connection open whenever possible. - - - - - - Gets or sets a value indicating whether to append newline at the end of log message. - - - - - - Gets or sets the maximum message size in bytes. - - - - - - Gets or sets the size of the connection cache (number of connections which are kept alive). - - - - - - Gets or sets the maximum queue size. - - - - - Gets or sets the action that should be taken if the message is larger than - maxMessageSize. - - - - - - Gets or sets the encoding to be used. - - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets a value indicating whether to include NLog-specific extensions to log4j schema. - - - - - - Gets or sets the AppInfo field. By default it's the friendly name of the current AppDomain. - - - - - - Gets or sets a value indicating whether to include call site (class and method name) in the information sent over the network. - - - - - - Gets or sets a value indicating whether to include dictionary contents. - - - - - - Gets or sets a value indicating whether to include stack contents. - - - - - - Gets or sets the NDC item separator. - - - - - - Gets the collection of parameters. Each parameter contains a mapping - between NLog layout and a named parameter. - - - - - - Gets the layout renderer which produces Log4j-compatible XML events. - - - - - Gets or sets the instance of that is used to format log messages. - - - - - - Initializes a new instance of the class. - - - - - Writes log messages to the console. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Represents target that supports string formatting using layouts. - - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Gets or sets the text to be rendered. - - - - - - Gets or sets the footer. - - - - - - Gets or sets the header. - - - - - - Gets or sets the layout with header and footer. - - The layout with header and footer. - - - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the Console.Out or - Console.Error depending on the value of the Error flag. - - The logging event. - - Note that the Error option is not supported on .NET Compact Framework. - - - - - Gets or sets a value indicating whether to send the log messages to the standard error instead of the standard output. - - - - - - Writes log messages to the attached managed debugger. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes the target. - - - - - Closes the target and releases any unmanaged resources. - - - - - Writes the specified logging event to the attached debugger. - - The logging event. - - - - Mock target - useful for testing. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Increases the number of messages. - - The logging event. - - - - Gets the number of times this target has been called. - - - - - - Gets the last message rendered by this target. - - - - - - Modes of archiving files based on time. - - - - - Don't archive based on time. - - - - - Archive every year. - - - - - Archive every month. - - - - - Archive daily. - - - - - Archive every hour. - - - - - Archive every minute. - - - - - Writes log messages to one or more files. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Removes records of initialized files that have not been - accessed in the last two days. - - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Removes records of initialized files that have not been - accessed after the specified date. - - The cleanup threshold. - - Files are marked 'initialized' for the purpose of writing footers when the logging finishes. - - - - - Flushes all pending file operations. - - The asynchronous continuation. - - The timeout parameter is ignored, because file APIs don't provide - the needed functionality. - - - - - Initializes file logging by creating data structures that - enable efficient multi-file logging. - - - - - Closes the file(s) opened for writing. - - - - - Writes the specified logging event to a file specified in the FileName - parameter. - - The logging event. - - - - Writes the specified array of logging events to a file specified in the FileName - parameter. - - An array of objects. - - This function makes use of the fact that the events are batched by sorting - the requests by filename. This optimizes the number of open/close calls - and can help improve performance. - - - - - Formats the log event for write. - - The log event to be formatted. - A string representation of the log event. - - - - Gets the bytes to be written to the file. - - Log event. - Array of bytes that are ready to be written. - - - - Modifies the specified byte array before it gets sent to a file. - - The byte array. - The modified byte array. The function can do the modification in-place. - - - - Gets or sets the name of the file to write to. - - - This FileName string is a layout which may include instances of layout renderers. - This lets you use a single target to write to multiple files. - - - The following value makes NLog write logging events to files based on the log level in the directory where - the application runs. - ${basedir}/${level}.log - All Debug messages will go to Debug.log, all Info messages will go to Info.log and so on. - You can combine as many of the layout renderers as you want to produce an arbitrary log file name. - - - - - - Gets or sets a value indicating whether to create directories if they don't exist. - - - Setting this to false may improve performance a bit, but you'll receive an error - when attempting to write to a directory that's not present. - - - - - - Gets or sets a value indicating whether to delete old log file on startup. - - - This option works only when the "FileName" parameter denotes a single file. - - - - - - Gets or sets a value indicating whether to replace file contents on each write instead of appending log message at the end. - - - - - - Gets or sets a value indicating whether to keep log file open instead of opening and closing it on each logging event. - - - Setting this property to True helps improve performance. - - - - - - Gets or sets a value indicating whether to enable log file(s) to be deleted. - - - - - - Gets or sets a value specifying the date format to use when archving files. - - - This option works only when the "ArchiveNumbering" parameter is set to Date. - - - - - - Gets or sets the line ending mode. - - - - - - Gets or sets a value indicating whether to automatically flush the file buffers after each log message. - - - - - - Gets or sets the number of files to be kept open. Setting this to a higher value may improve performance - in a situation where a single File target is writing to many files - (such as splitting by level or by logger). - - - The files are managed on a LRU (least recently used) basis, which flushes - the files that have not been used for the longest period of time should the - cache become full. As a rule of thumb, you shouldn't set this parameter to - a very high value. A number like 10-15 shouldn't be exceeded, because you'd - be keeping a large number of files open which consumes system resources. - - - - - - Gets or sets the maximum number of seconds that files are kept open. If this number is negative the files are - not automatically closed after a period of inactivity. - - - - - - Gets or sets the log file buffer size in bytes. - - - - - - Gets or sets the file encoding. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on the same host. - - - This makes multi-process logging possible. NLog uses a special technique - that lets it keep the files open for writing. - - - - - - Gets or sets a value indicating whether concurrent writes to the log file by multiple processes on different network hosts. - - - This effectively prevents files from being kept open. - - - - - - Gets or sets the number of times the write is appended on the file before NLog - discards the log message. - - - - - - Gets or sets the delay in milliseconds to wait before attempting to write to the file again. - - - The actual delay is a random value between 0 and the value specified - in this parameter. On each failed attempt the delay base is doubled - up to times. - - - Assuming that ConcurrentWriteAttemptDelay is 10 the time to wait will be:

- a random value between 0 and 10 milliseconds - 1st attempt
- a random value between 0 and 20 milliseconds - 2nd attempt
- a random value between 0 and 40 milliseconds - 3rd attempt
- a random value between 0 and 80 milliseconds - 4th attempt
- ...

- and so on. - - - - -

- Gets or sets the size in bytes above which log files will be automatically archived. - - - Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. - - -
- - - Gets or sets a value indicating whether to automatically archive log files every time the specified time passes. - - - Files are moved to the archive as part of the write operation if the current period of time changes. For example - if the current hour changes from 10 to 11, the first write that will occur - on or after 11:00 will trigger the archiving. -

- Caution: Enabling this option can considerably slow down your file - logging in multi-process scenarios. If only one process is going to - be writing to the file, consider setting ConcurrentWrites - to false for maximum performance. -

-
- -
- - - Gets or sets the name of the file to be used for an archive. - - - It may contain a special placeholder {#####} - that will be replaced with a sequence of numbers depending on - the archiving strategy. The number of hash characters used determines - the number of numerical digits to be used for numbering files. - - - - - - Gets or sets the maximum number of archive files that should be kept. - - - - - - Gets ors set a value indicating whether a managed file stream is forced, instead of used the native implementation. - - - - - Gets or sets the way file archives are numbered. - - - - - - Gets the characters that are appended after each line. - - - - true if the file has been moved successfully - - - - Line ending mode. - - - - - Insert platform-dependent end-of-line sequence after each line. - - - - - Insert CR LF sequence (ASCII 13, ASCII 10) after each line. - - - - - Insert CR character (ASCII 13) after each line. - - - - - Insert LF character (ASCII 10) after each line. - - - - - Don't insert any line ending. - - - - - Sends log messages to a NLog Receiver Service (using WCF or Web Services). - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Called when log events are being sent (test hook). - - The events. - The async continuations. - True if events should be sent, false to stop processing them. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Append" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Creating a new instance of WcfLogReceiverClient - - Inheritors can override this method and provide their own - service configuration - binding and endpoint address - - - - - - Gets or sets the endpoint address. - - The endpoint address. - - - - - Gets or sets the name of the endpoint configuration in WCF configuration file. - - The name of the endpoint configuration. - - - - - Gets or sets a value indicating whether to use binary message encoding. - - - - - - Gets or sets the client ID. - - The client ID. - - - - - Gets the list of parameters. - - The parameters. - - - - - Gets or sets a value indicating whether to include per-event properties in the payload sent to the server. - - - - - - Writes log messages to an ArrayList in memory for programmatic retrieval. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Renders the logging event message and adds it to the internal ArrayList of log messages. - - The logging event. - - - - Gets the list of logs gathered in the . - - - - - Pops up log messages as message boxes. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- The result is a message box: -

- -

- To set up the log target programmatically use code like this: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Displays the message box with the log message and caption specified in the Caption - parameter. - - The logging event. - - - - Displays the message box with the array of rendered logs messages and caption specified in the Caption - parameter. - - The array of logging events. - - - - Gets or sets the message box title. - - - - - - A parameter to MethodCall. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The layout to use for parameter value. - - - - Initializes a new instance of the class. - - Name of the parameter. - The layout. - - - - Initializes a new instance of the class. - - The name of the parameter. - The layout. - The type of the parameter. - - - - Gets or sets the name of the parameter. - - - - - - Gets or sets the type of the parameter. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Calls the specified static method on each log message and passes contextual parameters to it. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - The base class for all targets which call methods (local or remote). - Manages parameters and type coercion. - - - - - Initializes a new instance of the class. - - - - - Prepares an array of parameters to be passed based on the logging event and calls DoInvoke(). - - - The logging event. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - The continuation. - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Gets the array of parameters to be passed. - - - - - - Initializes the target. - - - - - Calls the specified Method. - - Method parameters. - - - - Gets or sets the class name. - - - - - - Gets or sets the method name. The method must be public and static. - - - - - - Action that should be taken if the message overflows. - - - - - Report an error. - - - - - Split the message into smaller pieces. - - - - - Discard the entire message. - - - - - Represents a parameter to a NLogViewer target. - - - - - Initializes a new instance of the class. - - - - - Gets or sets viewer parameter name. - - - - - - Gets or sets the layout that should be use to calcuate the value for the parameter. - - - - - - Discards log messages. Used mainly for debugging and benchmarking. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -
-
- - - Does nothing. Optionally it calculates the layout text but - discards the results. - - The logging event. - - - - Gets or sets a value indicating whether to perform layout calculation. - - - - - - Marks class as a logging target and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the target. - - - - Gets or sets a value indicating whether to the target is a wrapper target (used to generate the target summary documentation page). - - - - - Gets or sets a value indicating whether to the target is a compound target (used to generate the target summary documentation page). - - - - - Web service protocol. - - - - - Use SOAP 1.1 Protocol. - - - - - Use SOAP 1.2 Protocol. - - - - - Use HTTP POST Protocol. - - - - - Use HTTP GET Protocol. - - - - - Calls the specified web service on each log message. - - Documentation on NLog Wiki - - The web service must implement a method that accepts a number of string parameters. - - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- This assumes just one target and a single rule. More configuration - options are described here. -

-

- To set up the log target programmatically use code like this: -

- -

The example web service that works with this example is shown below

- -
-
- - - Initializes a new instance of the class. - - - - - Calls the target method. Must be implemented in concrete classes. - - Method call parameters. - - - - Invokes the web service method. - - Parameters to be passed. - The continuation. - - - - Gets or sets the web service URL. - - - - - - Gets or sets the Web service method name. - - - - - - Gets or sets the Web service namespace. - - - - - - Gets or sets the protocol to be used when calling web service. - - - - - - Gets or sets the encoding. - - - - - - Asynchronous request queue. - - - - - Initializes a new instance of the AsyncRequestQueue class. - - Request limit. - The overflow action. - - - - Enqueues another item. If the queue is overflown the appropriate - action is taken as specified by . - - The log event info. - - - - Dequeues a maximum of count items from the queue - and adds returns the list containing them. - - Maximum number of items to be dequeued. - The array of log events. - - - - Clears the queue. - - - - - Gets or sets the request limit. - - - - - Gets or sets the action to be taken when there's no more room in - the queue and another request is enqueued. - - - - - Gets the number of requests currently in the queue. - - - - - Provides asynchronous, buffered execution of target writes. - - Documentation on NLog Wiki - -

- Asynchronous target wrapper allows the logger code to execute more quickly, by queueing - messages and processing them in a separate thread. You should wrap targets - that spend a non-trivial amount of time in their Write() method with asynchronous - target to speed up logging. -

-

- Because asynchronous logging is quite a common scenario, NLog supports a - shorthand notation for wrapping all targets with AsyncWrapper. Just add async="true" to - the <targets/> element in the configuration file. -

- - - ... your targets go here ... - - ]]> -
- -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Base class for targets wrap other (single) targets. - - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Flush any pending log messages (in case of asynchronous targets). - - The asynchronous continuation. - - - - Writes logging event to the log target. Must be overridden in inheriting - classes. - - Logging event to be written out. - - - - Gets or sets the target that is wrapped by this target. - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Maximum number of requests in the queue. - The action to be taken when the queue overflows. - - - - Waits for the lazy writer thread to finish writing messages. - - The asynchronous continuation. - - - - Initializes the target by starting the lazy writer timer. - - - - - Shuts down the lazy writer timer. - - - - - Starts the lazy writer thread which periodically writes - queued log messages. - - - - - Starts the lazy writer thread. - - - - - Adds the log event to asynchronous queue to be processed by - the lazy writer thread. - - The log event. - - The is called - to ensure that the log event can be processed in another thread. - - - - - Gets or sets the number of log events that should be processed in a batch - by the lazy writer thread. - - - - - - Gets or sets the time in milliseconds to sleep between batches. - - - - - - Gets or sets the action to be taken when the lazy writer thread request queue count - exceeds the set limit. - - - - - - Gets or sets the limit on the number of requests in the lazy writer thread request queue. - - - - - - Gets the queue of lazy writer thread requests. - - - - - The action to be taken when the queue overflows. - - - - - Grow the queue. - - - - - Discard the overflowing item. - - - - - Block until there's more room in the queue. - - - - - Causes a flush after each write on a wrapped target. - - Documentation on NLog Wiki - -

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - The default value of the layout is: ${longdate}|${level:uppercase=true}|${logger}|${message} - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Forwards the call to the .Write() - and calls on it. - - Logging event to be written out. - - - - A target that buffers log events and sends them in batches to the wrapped target. - - Documentation on NLog Wiki - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - - - - Initializes a new instance of the class. - - The wrapped target. - Size of the buffer. - The flush timeout. - - - - Flushes pending events in the buffer (if any). - - The asynchronous continuation. - - - - Initializes the target. - - - - - Closes the target by flushing pending events in the buffer (if any). - - - - - Adds the specified log event to the buffer and flushes - the buffer in case the buffer gets full. - - The log event. - - - - Gets or sets the number of log events to be buffered. - - - - - - Gets or sets the timeout (in milliseconds) after which the contents of buffer will be flushed - if there's no write in the specified period of time. Use -1 to disable timed flushes. - - - - - - Gets or sets a value indicating whether to use sliding timeout. - - - This value determines how the inactivity period is determined. If sliding timeout is enabled, - the inactivity timer is reset after each write, if it is disabled - inactivity timer will - count from the first event written to the buffer. - - - - - - A base class for targets which wrap other (multiple) targets - and provide various forms of target routing. - - - - - Initializes a new instance of the class. - - The targets. - - - - Returns the text representation of the object. Used for diagnostics. - - A string that describes the target. - - - - Writes logging event to the log target. - - Logging event to be written out. - - - - Flush any pending log messages for all wrapped targets. - - The asynchronous continuation. - - - - Gets the collection of targets managed by this compound target. - - - - - Provides fallback-on-error. - - Documentation on NLog Wiki - -

This example causes the messages to be written to server1, - and if it fails, messages go to server2.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to the sub-targets until one of them succeeds. - - The log event. - - The method remembers the last-known-successful target - and starts the iteration from it. - If is set, the method - resets the target to the first target - stored in . - - - - - Gets or sets a value indicating whether to return to the first target after any successful write. - - - - - - Filtering rule for . - - - - - Initializes a new instance of the FilteringRule class. - - - - - Initializes a new instance of the FilteringRule class. - - Condition to be tested against all events. - Filter to apply to all log events when the first condition matches any of them. - - - - Gets or sets the condition to be tested. - - - - - - Gets or sets the resulting filter to be applied when the condition matches. - - - - - - Filters log entries based on a condition. - - Documentation on NLog Wiki - -

This example causes the messages not contains the string '1' to be ignored.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The condition. - - - - Checks the condition against the passed log event. - If the condition is met, the log event is forwarded to - the wrapped target. - - Log event. - - - - Gets or sets the condition expression. Log events who meet this condition will be forwarded - to the wrapped target. - - - - - - Filters buffered log entries based on a set of conditions that are evaluated on a group of events. - - Documentation on NLog Wiki - - PostFilteringWrapper must be used with some type of buffering target or wrapper, such as - AsyncTargetWrapper, BufferingWrapper or ASPNetBufferingWrapper. - - -

- This example works like this. If there are no Warn,Error or Fatal messages in the buffer - only Info messages are written to the file, but if there are any warnings or errors, - the output includes detailed trace (levels >= Debug). You can plug in a different type - of buffering wrapper (such as ASPNetBufferingWrapper) to achieve different - functionality. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Evaluates all filtering rules to find the first one that matches. - The matching rule determines the filtering condition to be applied - to all items in a buffer. If no condition matches, default filter - is applied to the array of log events. - - Array of log events to be post-filtered. - - - - Gets or sets the default filter to be applied when no specific rule matches. - - - - - - Gets the collection of filtering rules. The rules are processed top-down - and the first rule that matches determines the filtering condition to - be applied to log events. - - - - - - Sends log messages to a randomly selected target. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt - chosen randomly on a per-message basis. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the log event to one of the sub-targets. - The sub-target is randomly chosen. - - The log event. - - - - Repeats each log event the specified number of times. - - Documentation on NLog Wiki - -

This example causes each log message to be repeated 3 times.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The repeat count. - - - - Forwards the log message to the by calling the method times. - - The log event. - - - - Gets or sets the number of times to repeat each log message. - - - - - - Retries in case of write error. - - Documentation on NLog Wiki - -

This example causes each write attempt to be repeated 3 times, - sleeping 1 second between attempts if first one fails.

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The wrapped target. - The retry count. - The retry delay milliseconds. - - - - Writes the specified log event to the wrapped target, retrying and pausing in case of an error. - - The log event. - - - - Gets or sets the number of retries that should be attempted on the wrapped target in case of a failure. - - - - - - Gets or sets the time to wait between retries in milliseconds. - - - - - - Distributes log events to targets in a round-robin fashion. - - Documentation on NLog Wiki - -

This example causes the messages to be written to either file1.txt or file2.txt. - Each odd message is written to file2.txt, each even message goes to file1.txt. -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the write to one of the targets from - the collection. - - The log event. - - The writes are routed in a round-robin fashion. - The first log event goes to the first target, the second - one goes to the second target and so on looping to the - first target when there are no more targets available. - In general request N goes to Targets[N % Targets.Count]. - - - - - Writes log events to all targets. - - Documentation on NLog Wiki - -

This example causes the messages to be written to both file1.txt or file2.txt -

-

- To set up the target in the configuration file, - use the following syntax: -

- -

- The above examples assume just one target and a single rule. See below for - a programmatic configuration that's equivalent to the above config file: -

- -
-
- - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The targets. - - - - Forwards the specified log event to all sub-targets. - - The log event. - - - - Writes an array of logging events to the log target. By default it iterates on all - events and passes them to "Write" method. Inheriting classes can use this method to - optimize batch writes. - - Logging events to be written out. - - - - Current local time retrieved directly from DateTime.Now. - - - - - Defines source of current time. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets current time. - - - - - Gets or sets current global time source used in all log events. - - - Default time source is . - - - - - Gets current local time directly from DateTime.Now. - - - - - Current UTC time retrieved directly from DateTime.UtcNow. - - - - - Gets current UTC time directly from DateTime.UtcNow. - - - - - Fast time source that updates current time only once per tick (15.6 milliseconds). - - - - - Gets raw uncached time from derived time source. - - - - - Gets current time cached for one system tick (15.6 milliseconds). - - - - - Fast local time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached local time directly from DateTime.Now. - - - - - Fast UTC time source that is updated once per tick (15.6 milliseconds). - - - - - Gets uncached UTC time directly from DateTime.UtcNow. - - - - - Marks class as a time source and assigns a name to it. - - - - - Initializes a new instance of the class. - - Name of the time source. - -
-
diff --git a/packages/NUnit.2.6.3/NUnit.2.6.3.nupkg b/packages/NUnit.2.6.3/NUnit.2.6.3.nupkg deleted file mode 100644 index 61e3a5e..0000000 Binary files a/packages/NUnit.2.6.3/NUnit.2.6.3.nupkg and /dev/null differ diff --git a/packages/NUnit.2.6.3/lib/nunit.framework.dll b/packages/NUnit.2.6.3/lib/nunit.framework.dll deleted file mode 100644 index 780727f..0000000 Binary files a/packages/NUnit.2.6.3/lib/nunit.framework.dll and /dev/null differ diff --git a/packages/NUnit.2.6.3/lib/nunit.framework.xml b/packages/NUnit.2.6.3/lib/nunit.framework.xml deleted file mode 100644 index f40847c..0000000 --- a/packages/NUnit.2.6.3/lib/nunit.framework.xml +++ /dev/null @@ -1,10960 +0,0 @@ - - - - nunit.framework - - - - - The different targets a test action attribute can be applied to - - - - - Default target, which is determined by where the action attribute is attached - - - - - Target a individual test case - - - - - Target a suite of test cases - - - - - Delegate used by tests that execute code and - capture any thrown exception. - - - - - The Assert class contains a collection of static methods that - implement the most common assertions used in NUnit. - - - - - We don't actually want any instances of this object, but some people - like to inherit from it to add other static methods. Hence, the - protected constructor disallows any instances of this object. - - - - - The Equals method throws an AssertionException. This is done - to make sure there is no mistake by calling this function. - - - - - - - override the default ReferenceEquals to throw an AssertionException. This - implementation makes sure there is no mistake in calling this function - as part of Assert. - - - - - - - Throws a with the message and arguments - that are passed in. This allows a test to be cut short, with a result - of success returned to NUnit. - - The message to initialize the with. - Arguments to be used in formatting the message - - - - Throws a with the message and arguments - that are passed in. This allows a test to be cut short, with a result - of success returned to NUnit. - - The message to initialize the with. - - - - Throws a with the message and arguments - that are passed in. This allows a test to be cut short, with a result - of success returned to NUnit. - - - - - Throws an with the message and arguments - that are passed in. This is used by the other Assert functions. - - The message to initialize the with. - Arguments to be used in formatting the message - - - - Throws an with the message that is - passed in. This is used by the other Assert functions. - - The message to initialize the with. - - - - Throws an . - This is used by the other Assert functions. - - - - - Throws an with the message and arguments - that are passed in. This causes the test to be reported as ignored. - - The message to initialize the with. - Arguments to be used in formatting the message - - - - Throws an with the message that is - passed in. This causes the test to be reported as ignored. - - The message to initialize the with. - - - - Throws an . - This causes the test to be reported as ignored. - - - - - Throws an with the message and arguments - that are passed in. This causes the test to be reported as inconclusive. - - The message to initialize the with. - Arguments to be used in formatting the message - - - - Throws an with the message that is - passed in. This causes the test to be reported as inconclusive. - - The message to initialize the with. - - - - Throws an . - This causes the test to be reported as Inconclusive. - - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - The message that will be displayed on failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint expression to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display if the condition is false - Arguments to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display if the condition is false - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - An ActualValueDelegate returning the value to be tested - A Constraint expression to be applied - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - An ActualValueDelegate returning the value to be tested - A Constraint expression to be applied - The message that will be displayed on failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - An ActualValueDelegate returning the value to be tested - A Constraint expression to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - The message that will be displayed on failure - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that the code represented by a delegate throws an exception - that satisfies the constraint provided. - - A TestDelegate to be executed - A ThrowsConstraint used in the test - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - Used as a synonym for That in rare cases where a private setter - causes a Visual Basic compilation error. - - The actual value to test - A Constraint to be applied - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - Used as a synonym for That in rare cases where a private setter - causes a Visual Basic compilation error. - - The actual value to test - A Constraint to be applied - The message that will be displayed on failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - Used as a synonym for That in rare cases where a private setter - causes a Visual Basic compilation error. - - - This method is provided for use by VB developers needing to test - the value of properties with private setters. - - The actual value to test - A Constraint expression to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws a particular exception when called. - - A constraint to be satisfied by the exception - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws a particular exception when called. - - A constraint to be satisfied by the exception - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate throws a particular exception when called. - - A constraint to be satisfied by the exception - A TestDelegate - - - - Verifies that a delegate throws a particular exception when called. - - The exception Type expected - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws a particular exception when called. - - The exception Type expected - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate throws a particular exception when called. - - The exception Type expected - A TestDelegate - - - - Verifies that a delegate throws a particular exception when called. - - Type of the expected exception - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws a particular exception when called. - - Type of the expected exception - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate throws a particular exception when called. - - Type of the expected exception - A TestDelegate - - - - Verifies that a delegate throws an exception when called - and returns it. - - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws an exception when called - and returns it. - - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate throws an exception when called - and returns it. - - A TestDelegate - - - - Verifies that a delegate throws an exception of a certain Type - or one derived from it when called and returns it. - - The expected Exception Type - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws an exception of a certain Type - or one derived from it when called and returns it. - - The expected Exception Type - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate throws an exception of a certain Type - or one derived from it when called and returns it. - - The expected Exception Type - A TestDelegate - - - - Verifies that a delegate throws an exception of a certain Type - or one derived from it when called and returns it. - - The expected Exception Type - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate throws an exception of a certain Type - or one derived from it when called and returns it. - - The expected Exception Type - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate throws an exception of a certain Type - or one derived from it when called and returns it. - - The expected Exception Type - A TestDelegate - - - - Verifies that a delegate does not throw an exception - - A TestDelegate - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Verifies that a delegate does not throw an exception. - - A TestDelegate - The message that will be displayed on failure - - - - Verifies that a delegate does not throw an exception. - - A TestDelegate - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display in case of failure - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display in case of failure - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - - - - Asserts that a condition is false. If the condition is true the method throws - an . - - The evaluated condition - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that a condition is false. If the condition is true the method throws - an . - - The evaluated condition - The message to display in case of failure - - - - Asserts that a condition is false. If the condition is true the method throws - an . - - The evaluated condition - - - - Asserts that a condition is false. If the condition is true the method throws - an . - - The evaluated condition - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that a condition is false. If the condition is true the method throws - an . - - The evaluated condition - The message to display in case of failure - - - - Asserts that a condition is false. If the condition is true the method throws - an . - - The evaluated condition - - - - Verifies that the object that is passed in is not equal to null - If the object is null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the object that is passed in is not equal to null - If the object is null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - - - - Verifies that the object that is passed in is not equal to null - If the object is null then an - is thrown. - - The object that is to be tested - - - - Verifies that the object that is passed in is not equal to null - If the object is null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the object that is passed in is not equal to null - If the object is null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - - - - Verifies that the object that is passed in is not equal to null - If the object is null then an - is thrown. - - The object that is to be tested - - - - Verifies that the object that is passed in is equal to null - If the object is not null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the object that is passed in is equal to null - If the object is not null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - - - - Verifies that the object that is passed in is equal to null - If the object is not null then an - is thrown. - - The object that is to be tested - - - - Verifies that the object that is passed in is equal to null - If the object is not null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the object that is passed in is equal to null - If the object is not null then an - is thrown. - - The object that is to be tested - The message to display in case of failure - - - - Verifies that the object that is passed in is equal to null - If the object is not null then an - is thrown. - - The object that is to be tested - - - - Verifies that two ints are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two ints are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two ints are equal. If they are not, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two longs are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two longs are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two longs are equal. If they are not, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two unsigned ints are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two unsigned ints are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two unsigned ints are equal. If they are not, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two unsigned longs are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two unsigned longs are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two unsigned longs are equal. If they are not, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two decimals are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two decimals are equal. If they are not, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two decimals are equal. If they are not, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two doubles are equal considering a delta. If the - expected value is infinity then the delta value is ignored. If - they are not equal then an is - thrown. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two doubles are equal considering a delta. If the - expected value is infinity then the delta value is ignored. If - they are not equal then an is - thrown. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - The message to display in case of failure - - - - Verifies that two doubles are equal considering a delta. If the - expected value is infinity then the delta value is ignored. If - they are not equal then an is - thrown. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - - - - Verifies that two doubles are equal considering a delta. If the - expected value is infinity then the delta value is ignored. If - they are not equal then an is - thrown. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two doubles are equal considering a delta. If the - expected value is infinity then the delta value is ignored. If - they are not equal then an is - thrown. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - The message to display in case of failure - - - - Verifies that two doubles are equal considering a delta. If the - expected value is infinity then the delta value is ignored. If - they are not equal then an is - thrown. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - - - - Verifies that two objects are equal. Two objects are considered - equal if both are null, or if both have the same value. NUnit - has special semantics for some object types. - If they are not equal an is thrown. - - The value that is expected - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two objects are equal. Two objects are considered - equal if both are null, or if both have the same value. NUnit - has special semantics for some object types. - If they are not equal an is thrown. - - The value that is expected - The actual value - The message to display in case of failure - - - - Verifies that two objects are equal. Two objects are considered - equal if both are null, or if both have the same value. NUnit - has special semantics for some object types. - If they are not equal an is thrown. - - The value that is expected - The actual value - - - - Verifies that two ints are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two ints are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two ints are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two longs are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two longs are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two longs are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two unsigned ints are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two unsigned ints are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two unsigned ints are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two unsigned longs are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two unsigned longs are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two unsigned longs are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two decimals are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two decimals are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two decimals are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two floats are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two floats are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two floats are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two doubles are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two doubles are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - The message to display in case of failure - - - - Verifies that two doubles are not equal. If they are equal, then an - is thrown. - - The expected value - The actual value - - - - Verifies that two objects are not equal. Two objects are considered - equal if both are null, or if both have the same value. NUnit - has special semantics for some object types. - If they are equal an is thrown. - - The value that is expected - The actual value - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that two objects are not equal. Two objects are considered - equal if both are null, or if both have the same value. NUnit - has special semantics for some object types. - If they are equal an is thrown. - - The value that is expected - The actual value - The message to display in case of failure - - - - Verifies that two objects are not equal. Two objects are considered - equal if both are null, or if both have the same value. NUnit - has special semantics for some object types. - If they are equal an is thrown. - - The value that is expected - The actual value - - - - Asserts that two objects refer to the same object. If they - are not the same an is thrown. - - The expected object - The actual object - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that two objects refer to the same object. If they - are not the same an is thrown. - - The expected object - The actual object - The message to display in case of failure - - - - Asserts that two objects refer to the same object. If they - are not the same an is thrown. - - The expected object - The actual object - - - - Asserts that two objects do not refer to the same object. If they - are the same an is thrown. - - The expected object - The actual object - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that two objects do not refer to the same object. If they - are the same an is thrown. - - The expected object - The actual object - The message to display in case of failure - - - - Asserts that two objects do not refer to the same object. If they - are the same an is thrown. - - The expected object - The actual object - - - - Verifies that the double that is passed in is an NaN value. - If the object is not NaN then an - is thrown. - - The value that is to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the double that is passed in is an NaN value. - If the object is not NaN then an - is thrown. - - The value that is to be tested - The message to display in case of failure - - - - Verifies that the double that is passed in is an NaN value. - If the object is not NaN then an - is thrown. - - The value that is to be tested - - - - Verifies that the double that is passed in is an NaN value. - If the object is not NaN then an - is thrown. - - The value that is to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the double that is passed in is an NaN value. - If the object is not NaN then an - is thrown. - - The value that is to be tested - The message to display in case of failure - - - - Verifies that the double that is passed in is an NaN value. - If the object is not NaN then an - is thrown. - - The value that is to be tested - - - - Assert that a string is empty - that is equal to string.Empty - - The string to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Assert that a string is empty - that is equal to string.Empty - - The string to be tested - The message to display in case of failure - - - - Assert that a string is empty - that is equal to string.Empty - - The string to be tested - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing ICollection - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing ICollection - The message to display in case of failure - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing ICollection - - - - Assert that a string is not empty - that is not equal to string.Empty - - The string to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Assert that a string is not empty - that is not equal to string.Empty - - The string to be tested - The message to display in case of failure - - - - Assert that a string is not empty - that is not equal to string.Empty - - The string to be tested - - - - Assert that an array, list or other collection is not empty - - An array, list or other collection implementing ICollection - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Assert that an array, list or other collection is not empty - - An array, list or other collection implementing ICollection - The message to display in case of failure - - - - Assert that an array, list or other collection is not empty - - An array, list or other collection implementing ICollection - - - - Assert that a string is either null or equal to string.Empty - - The string to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Assert that a string is either null or equal to string.Empty - - The string to be tested - The message to display in case of failure - - - - Assert that a string is either null or equal to string.Empty - - The string to be tested - - - - Assert that a string is not null or empty - - The string to be tested - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Assert that a string is not null or empty - - The string to be tested - The message to display in case of failure - - - - Assert that a string is not null or empty - - The string to be tested - - - - Asserts that an object may be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object may be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - - - - Asserts that an object may be assigned a value of a given Type. - - The expected Type. - The object under examination - - - - Asserts that an object may be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object may be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - - - - Asserts that an object may be assigned a value of a given Type. - - The expected Type. - The object under examination - - - - Asserts that an object may not be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object may not be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - - - - Asserts that an object may not be assigned a value of a given Type. - - The expected Type. - The object under examination - - - - Asserts that an object may not be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object may not be assigned a value of a given Type. - - The expected Type. - The object under examination - The message to display in case of failure - - - - Asserts that an object may not be assigned a value of a given Type. - - The expected Type. - The object under examination - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - - - - Asserts that an object is an instance of a given type. - - The expected Type - The object being examined - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - The message to display in case of failure - - - - Asserts that an object is not an instance of a given type. - - The expected Type - The object being examined - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than the second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - The message to display in case of failure - - - - Verifies that the first value is greater than or equal tothe second - value. If it is not, then an - is thrown. - - The first value, expected to be greater - The second value, expected to be less - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - The message to display in case of failure - - - - Verifies that the first value is less than or equal to the second - value. If it is not, then an - is thrown. - - The first value, expected to be less - The second value, expected to be greater - - - - Asserts that an object is contained in a list. - - The expected object - The list to be examined - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Asserts that an object is contained in a list. - - The expected object - The list to be examined - The message to display in case of failure - - - - Asserts that an object is contained in a list. - - The expected object - The list to be examined - - - - Helper for Assert.AreEqual(double expected, double actual, ...) - allowing code generation to work consistently. - - The expected value - The actual value - The maximum acceptable difference between the - the expected and the actual - The message to display in case of failure - Array of objects to be used in formatting the message - - - - Gets the number of assertions executed so far and - resets the counter to zero. - - - - - AssertionHelper is an optional base class for user tests, - allowing the use of shorter names for constraints and - asserts and avoiding conflict with the definition of - , from which it inherits much of its - behavior, in certain mock object frameworks. - - - - - Helper class with properties and methods that supply - a number of constraints used in Asserts. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding only if a specified number of them succeed. - - - - - Returns a new PropertyConstraintExpression, which will either - test for the existence of the named property on the object - being tested or apply any following constraint to that property. - - - - - Returns a new AttributeConstraint checking for the - presence of a particular attribute on an object. - - - - - Returns a new AttributeConstraint checking for the - presence of a particular attribute on an object. - - - - - Returns a constraint that tests two items for equality - - - - - Returns a constraint that tests that two references are the same object - - - - - Returns a constraint that tests whether the - actual value is greater than the suppled argument - - - - - Returns a constraint that tests whether the - actual value is greater than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is greater than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than or equal to the suppled argument - - - - - Returns a constraint that tests whether the actual - value is of the exact type supplied as an argument. - - - - - Returns a constraint that tests whether the actual - value is of the exact type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is a collection containing the same elements as the - collection supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is a subset of the collection supplied as an argument. - - - - - Returns a new CollectionContainsConstraint checking for the - presence of a particular object in the collection. - - - - - Returns a new CollectionContainsConstraint checking for the - presence of a particular object in the collection. - - - - - Returns a new ContainsConstraint. This constraint - will, in turn, make use of the appropriate second-level - constraint, depending on the type of the actual argument. - This overload is only used if the item sought is a string, - since any other type implies that we are looking for a - collection member. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that fails if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that fails if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that fails if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value matches the regular expression supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value matches the regular expression supplied as an argument. - - - - - Returns a constraint that fails if the actual - value matches the pattern supplied as an argument. - - - - - Returns a constraint that tests whether the path provided - is the same as an expected path after canonicalization. - - - - - Returns a constraint that tests whether the path provided - is the same path or under an expected path after canonicalization. - - - - - Returns a constraint that tests whether the path provided - is the same path or under an expected path after canonicalization. - - - - - Returns a constraint that tests whether the actual value falls - within a specified range. - - - - - Returns a ConstraintExpression that negates any - following constraint. - - - - - Returns a ConstraintExpression that negates any - following constraint. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them succeed. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if at least one of them succeeds. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them fail. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Length property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Count property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Message property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the InnerException property of the object being tested. - - - - - Returns a constraint that tests for null - - - - - Returns a constraint that tests for True - - - - - Returns a constraint that tests for False - - - - - Returns a constraint that tests for a positive value - - - - - Returns a constraint that tests for a negative value - - - - - Returns a constraint that tests for NaN - - - - - Returns a constraint that tests for empty - - - - - Returns a constraint that tests whether a collection - contains all unique items. - - - - - Returns a constraint that tests whether an object graph is serializable in binary format. - - - - - Returns a constraint that tests whether an object graph is serializable in xml format. - - - - - Returns a constraint that tests whether a collection is ordered - - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. Works - identically to Assert.That. - - The actual value to test - A Constraint to be applied - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. Works - identically to Assert.That. - - The actual value to test - A Constraint to be applied - The message to be displayed in case of failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. Works - identically to Assert.That. - - The actual value to test - A Constraint to be applied - The message to be displayed in case of failure - Arguments to use in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . Works Identically to - . - - The evaluated condition - The message to display if the condition is false - Arguments to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . Works Identically to - . - - The evaluated condition - The message to display if the condition is false - - - - Asserts that a condition is true. If the condition is false the method throws - an . Works Identically to . - - The evaluated condition - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - A Constraint expression to be applied - An ActualValueDelegate returning the value to be tested - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - A Constraint expression to be applied - An ActualValueDelegate returning the value to be tested - The message that will be displayed on failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - An ActualValueDelegate returning the value to be tested - A Constraint expression to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - The message that will be displayed on failure - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an assertion exception on failure. - - The actual value to test - A Constraint to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that the code represented by a delegate throws an exception - that satisfies the constraint provided. - - A TestDelegate to be executed - A ThrowsConstraint used in the test - - - - Returns a ListMapper based on a collection. - - The original collection - - - - - Provides static methods to express the assumptions - that must be met for a test to give a meaningful - result. If an assumption is not met, the test - should produce an inconclusive result. - - - - - The Equals method throws an AssertionException. This is done - to make sure there is no mistake by calling this function. - - - - - - - override the default ReferenceEquals to throw an AssertionException. This - implementation makes sure there is no mistake in calling this function - as part of Assert. - - - - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - The actual value to test - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - The actual value to test - The message that will be displayed on failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - The actual value to test - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display if the condition is false - Arguments to be used in formatting the message - - - - Asserts that a condition is true. If the condition is false the method throws - an . - - The evaluated condition - The message to display if the condition is false - - - - Asserts that a condition is true. If the condition is false the - method throws an . - - The evaluated condition - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - An ActualValueDelegate returning the value to be tested - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - An ActualValueDelegate returning the value to be tested - The message that will be displayed on failure - - - - Apply a constraint to an actual value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - An ActualValueDelegate returning the value to be tested - A Constraint expression to be applied - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - The actual value to test - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - The actual value to test - The message that will be displayed on failure - - - - Apply a constraint to a referenced value, succeeding if the constraint - is satisfied and throwing an InconclusiveException on failure. - - A Constraint expression to be applied - The actual value to test - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that the code represented by a delegate throws an exception - that satisfies the constraint provided. - - A TestDelegate to be executed - A ThrowsConstraint used in the test - - - - Waits for pending asynchronous operations to complete, if appropriate, - and returns a proper result of the invocation by unwrapping task results - - The raw result of the method invocation - The unwrapped result, if necessary - - - - A set of Assert methods operationg on one or more collections - - - - - The Equals method throws an AssertionException. This is done - to make sure there is no mistake by calling this function. - - - - - - - override the default ReferenceEquals to throw an AssertionException. This - implementation makes sure there is no mistake in calling this function - as part of Assert. - - - - - - - Asserts that all items contained in collection are of the type specified by expectedType. - - IEnumerable containing objects to be considered - System.Type that all objects in collection must be instances of - - - - Asserts that all items contained in collection are of the type specified by expectedType. - - IEnumerable containing objects to be considered - System.Type that all objects in collection must be instances of - The message that will be displayed on failure - - - - Asserts that all items contained in collection are of the type specified by expectedType. - - IEnumerable containing objects to be considered - System.Type that all objects in collection must be instances of - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that all items contained in collection are not equal to null. - - IEnumerable containing objects to be considered - - - - Asserts that all items contained in collection are not equal to null. - - IEnumerable containing objects to be considered - The message that will be displayed on failure - - - - Asserts that all items contained in collection are not equal to null. - - IEnumerable of objects to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Ensures that every object contained in collection exists within the collection - once and only once. - - IEnumerable of objects to be considered - - - - Ensures that every object contained in collection exists within the collection - once and only once. - - IEnumerable of objects to be considered - The message that will be displayed on failure - - - - Ensures that every object contained in collection exists within the collection - once and only once. - - IEnumerable of objects to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that expected and actual are exactly equal. The collections must have the same count, - and contain the exact same objects in the same order. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - - - - Asserts that expected and actual are exactly equal. The collections must have the same count, - and contain the exact same objects in the same order. - If comparer is not null then it will be used to compare the objects. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The IComparer to use in comparing objects from each IEnumerable - - - - Asserts that expected and actual are exactly equal. The collections must have the same count, - and contain the exact same objects in the same order. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - - - - Asserts that expected and actual are exactly equal. The collections must have the same count, - and contain the exact same objects in the same order. - If comparer is not null then it will be used to compare the objects. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The IComparer to use in comparing objects from each IEnumerable - The message that will be displayed on failure - - - - Asserts that expected and actual are exactly equal. The collections must have the same count, - and contain the exact same objects in the same order. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that expected and actual are exactly equal. The collections must have the same count, - and contain the exact same objects in the same order. - If comparer is not null then it will be used to compare the objects. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The IComparer to use in comparing objects from each IEnumerable - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that expected and actual are equivalent, containing the same objects but the match may be in any order. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - - - - Asserts that expected and actual are equivalent, containing the same objects but the match may be in any order. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - - - - Asserts that expected and actual are equivalent, containing the same objects but the match may be in any order. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that expected and actual are not exactly equal. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - - - - Asserts that expected and actual are not exactly equal. - If comparer is not null then it will be used to compare the objects. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The IComparer to use in comparing objects from each IEnumerable - - - - Asserts that expected and actual are not exactly equal. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - - - - Asserts that expected and actual are not exactly equal. - If comparer is not null then it will be used to compare the objects. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The IComparer to use in comparing objects from each IEnumerable - The message that will be displayed on failure - - - - Asserts that expected and actual are not exactly equal. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that expected and actual are not exactly equal. - If comparer is not null then it will be used to compare the objects. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The IComparer to use in comparing objects from each IEnumerable - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that expected and actual are not equivalent. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - - - - Asserts that expected and actual are not equivalent. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - - - - Asserts that expected and actual are not equivalent. - - The first IEnumerable of objects to be considered - The second IEnumerable of objects to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that collection contains actual as an item. - - IEnumerable of objects to be considered - Object to be found within collection - - - - Asserts that collection contains actual as an item. - - IEnumerable of objects to be considered - Object to be found within collection - The message that will be displayed on failure - - - - Asserts that collection contains actual as an item. - - IEnumerable of objects to be considered - Object to be found within collection - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that collection does not contain actual as an item. - - IEnumerable of objects to be considered - Object that cannot exist within collection - - - - Asserts that collection does not contain actual as an item. - - IEnumerable of objects to be considered - Object that cannot exist within collection - The message that will be displayed on failure - - - - Asserts that collection does not contain actual as an item. - - IEnumerable of objects to be considered - Object that cannot exist within collection - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that superset is not a subject of subset. - - The IEnumerable superset to be considered - The IEnumerable subset to be considered - - - - Asserts that superset is not a subject of subset. - - The IEnumerable superset to be considered - The IEnumerable subset to be considered - The message that will be displayed on failure - - - - Asserts that superset is not a subject of subset. - - The IEnumerable superset to be considered - The IEnumerable subset to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Asserts that superset is a subset of subset. - - The IEnumerable superset to be considered - The IEnumerable subset to be considered - - - - Asserts that superset is a subset of subset. - - The IEnumerable superset to be considered - The IEnumerable subset to be considered - The message that will be displayed on failure - - - - Asserts that superset is a subset of subset. - - The IEnumerable superset to be considered - The IEnumerable subset to be considered - The message that will be displayed on failure - Arguments to be used in formatting the message - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing IEnumerable - The message to be displayed on failure - Arguments to be used in formatting the message - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing IEnumerable - The message to be displayed on failure - - - - Assert that an array,list or other collection is empty - - An array, list or other collection implementing IEnumerable - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing IEnumerable - The message to be displayed on failure - Arguments to be used in formatting the message - - - - Assert that an array, list or other collection is empty - - An array, list or other collection implementing IEnumerable - The message to be displayed on failure - - - - Assert that an array,list or other collection is empty - - An array, list or other collection implementing IEnumerable - - - - Assert that an array, list or other collection is ordered - - An array, list or other collection implementing IEnumerable - The message to be displayed on failure - Arguments to be used in formatting the message - - - - Assert that an array, list or other collection is ordered - - An array, list or other collection implementing IEnumerable - The message to be displayed on failure - - - - Assert that an array, list or other collection is ordered - - An array, list or other collection implementing IEnumerable - - - - Assert that an array, list or other collection is ordered - - An array, list or other collection implementing IEnumerable - A custom comparer to perform the comparisons - The message to be displayed on failure - Arguments to be used in formatting the message - - - - Assert that an array, list or other collection is ordered - - An array, list or other collection implementing IEnumerable - A custom comparer to perform the comparisons - The message to be displayed on failure - - - - Assert that an array, list or other collection is ordered - - An array, list or other collection implementing IEnumerable - A custom comparer to perform the comparisons - - - - Helper class with properties and methods that supply - a number of constraints used in Asserts. - - - - - Returns a new CollectionContainsConstraint checking for the - presence of a particular object in the collection. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Summary description for DirectoryAssert - - - - - The Equals method throws an AssertionException. This is done - to make sure there is no mistake by calling this function. - - - - - - - override the default ReferenceEquals to throw an AssertionException. This - implementation makes sure there is no mistake in calling this function - as part of Assert. - - - - - - - We don't actually want any instances of this object, but some people - like to inherit from it to add other static methods. Hence, the - protected constructor disallows any instances of this object. - - - - - Verifies that two directories are equal. Two directories are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A directory containing the value that is expected - A directory containing the actual value - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Verifies that two directories are equal. Two directories are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A directory containing the value that is expected - A directory containing the actual value - The message to display if directories are not equal - - - - Verifies that two directories are equal. Two directories are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A directory containing the value that is expected - A directory containing the actual value - - - - Verifies that two directories are equal. Two directories are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A directory path string containing the value that is expected - A directory path string containing the actual value - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Verifies that two directories are equal. Two directories are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A directory path string containing the value that is expected - A directory path string containing the actual value - The message to display if directories are not equal - - - - Verifies that two directories are equal. Two directories are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A directory path string containing the value that is expected - A directory path string containing the actual value - - - - Asserts that two directories are not equal. If they are equal - an is thrown. - - A directory containing the value that is expected - A directory containing the actual value - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Asserts that two directories are not equal. If they are equal - an is thrown. - - A directory containing the value that is expected - A directory containing the actual value - The message to display if directories are not equal - - - - Asserts that two directories are not equal. If they are equal - an is thrown. - - A directory containing the value that is expected - A directory containing the actual value - - - - Asserts that two directories are not equal. If they are equal - an is thrown. - - A directory path string containing the value that is expected - A directory path string containing the actual value - The message to display if directories are equal - Arguments to be used in formatting the message - - - - Asserts that two directories are not equal. If they are equal - an is thrown. - - A directory path string containing the value that is expected - A directory path string containing the actual value - The message to display if directories are equal - - - - Asserts that two directories are not equal. If they are equal - an is thrown. - - A directory path string containing the value that is expected - A directory path string containing the actual value - - - - Asserts that the directory is empty. If it is not empty - an is thrown. - - A directory to search - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Asserts that the directory is empty. If it is not empty - an is thrown. - - A directory to search - The message to display if directories are not equal - - - - Asserts that the directory is empty. If it is not empty - an is thrown. - - A directory to search - - - - Asserts that the directory is empty. If it is not empty - an is thrown. - - A directory to search - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Asserts that the directory is empty. If it is not empty - an is thrown. - - A directory to search - The message to display if directories are not equal - - - - Asserts that the directory is empty. If it is not empty - an is thrown. - - A directory to search - - - - Asserts that the directory is not empty. If it is empty - an is thrown. - - A directory to search - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Asserts that the directory is not empty. If it is empty - an is thrown. - - A directory to search - The message to display if directories are not equal - - - - Asserts that the directory is not empty. If it is empty - an is thrown. - - A directory to search - - - - Asserts that the directory is not empty. If it is empty - an is thrown. - - A directory to search - The message to display if directories are not equal - Arguments to be used in formatting the message - - - - Asserts that the directory is not empty. If it is empty - an is thrown. - - A directory to search - The message to display if directories are not equal - - - - Asserts that the directory is not empty. If it is empty - an is thrown. - - A directory to search - - - - Asserts that path contains actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - Arguments to be used in formatting the message - - - - Asserts that path contains actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - - - - Asserts that path contains actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - - - - Asserts that path contains actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - Arguments to be used in formatting the message - - - - Asserts that path contains actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - - - - Asserts that path contains actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - - - - Asserts that path does not contain actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - Arguments to be used in formatting the message - - - - Asserts that path does not contain actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - - - - Asserts that path does not contain actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - - - - Asserts that path does not contain actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - Arguments to be used in formatting the message - - - - Asserts that path does not contain actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - The message to display if directory is not within the path - - - - Asserts that path does not contain actual as a subdirectory or - an is thrown. - - A directory to search - sub-directory asserted to exist under directory - - - - Summary description for FileAssert. - - - - - The Equals method throws an AssertionException. This is done - to make sure there is no mistake by calling this function. - - - - - - - override the default ReferenceEquals to throw an AssertionException. This - implementation makes sure there is no mistake in calling this function - as part of Assert. - - - - - - - We don't actually want any instances of this object, but some people - like to inherit from it to add other static methods. Hence, the - protected constructor disallows any instances of this object. - - - - - Verifies that two Streams are equal. Two Streams are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - The expected Stream - The actual Stream - The message to display if Streams are not equal - Arguments to be used in formatting the message - - - - Verifies that two Streams are equal. Two Streams are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - The expected Stream - The actual Stream - The message to display if objects are not equal - - - - Verifies that two Streams are equal. Two Streams are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - The expected Stream - The actual Stream - - - - Verifies that two files are equal. Two files are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A file containing the value that is expected - A file containing the actual value - The message to display if Streams are not equal - Arguments to be used in formatting the message - - - - Verifies that two files are equal. Two files are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A file containing the value that is expected - A file containing the actual value - The message to display if objects are not equal - - - - Verifies that two files are equal. Two files are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - A file containing the value that is expected - A file containing the actual value - - - - Verifies that two files are equal. Two files are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - The path to a file containing the value that is expected - The path to a file containing the actual value - The message to display if Streams are not equal - Arguments to be used in formatting the message - - - - Verifies that two files are equal. Two files are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - The path to a file containing the value that is expected - The path to a file containing the actual value - The message to display if objects are not equal - - - - Verifies that two files are equal. Two files are considered - equal if both are null, or if both have the same value byte for byte. - If they are not equal an is thrown. - - The path to a file containing the value that is expected - The path to a file containing the actual value - - - - Asserts that two Streams are not equal. If they are equal - an is thrown. - - The expected Stream - The actual Stream - The message to be displayed when the two Stream are the same. - Arguments to be used in formatting the message - - - - Asserts that two Streams are not equal. If they are equal - an is thrown. - - The expected Stream - The actual Stream - The message to be displayed when the Streams are the same. - - - - Asserts that two Streams are not equal. If they are equal - an is thrown. - - The expected Stream - The actual Stream - - - - Asserts that two files are not equal. If they are equal - an is thrown. - - A file containing the value that is expected - A file containing the actual value - The message to display if Streams are not equal - Arguments to be used in formatting the message - - - - Asserts that two files are not equal. If they are equal - an is thrown. - - A file containing the value that is expected - A file containing the actual value - The message to display if objects are not equal - - - - Asserts that two files are not equal. If they are equal - an is thrown. - - A file containing the value that is expected - A file containing the actual value - - - - Asserts that two files are not equal. If they are equal - an is thrown. - - The path to a file containing the value that is expected - The path to a file containing the actual value - The message to display if Streams are not equal - Arguments to be used in formatting the message - - - - Asserts that two files are not equal. If they are equal - an is thrown. - - The path to a file containing the value that is expected - The path to a file containing the actual value - The message to display if objects are not equal - - - - Asserts that two files are not equal. If they are equal - an is thrown. - - The path to a file containing the value that is expected - The path to a file containing the actual value - - - - GlobalSettings is a place for setting default values used - by the framework in performing asserts. - - - - - Default tolerance for floating point equality - - - - - Class used to guard against unexpected argument values - by throwing an appropriate exception. - - - - - Throws an exception if an argument is null - - The value to be tested - The name of the argument - - - - Throws an exception if a string argument is null or empty - - The value to be tested - The name of the argument - - - - Helper class with properties and methods that supply - a number of constraints used in Asserts. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding only if a specified number of them succeed. - - - - - Returns a new PropertyConstraintExpression, which will either - test for the existence of the named property on the object - being tested or apply any following constraint to that property. - - - - - Returns a new AttributeConstraint checking for the - presence of a particular attribute on an object. - - - - - Returns a new AttributeConstraint checking for the - presence of a particular attribute on an object. - - - - - Returns a new CollectionContainsConstraint checking for the - presence of a particular object in the collection. - - - - - Returns a ConstraintExpression that negates any - following constraint. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them succeed. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if at least one of them succeeds. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them fail. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Length property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Count property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Message property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the InnerException property of the object being tested. - - - - - Interface implemented by a user fixture in order to - validate any expected exceptions. It is only called - for test methods marked with the ExpectedException - attribute. - - - - - Method to handle an expected exception - - The exception to be handled - - - - Helper class with properties and methods that supply - a number of constraints used in Asserts. - - - - - Returns a constraint that tests two items for equality - - - - - Returns a constraint that tests that two references are the same object - - - - - Returns a constraint that tests whether the - actual value is greater than the suppled argument - - - - - Returns a constraint that tests whether the - actual value is greater than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is greater than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than or equal to the suppled argument - - - - - Returns a constraint that tests whether the actual - value is of the exact type supplied as an argument. - - - - - Returns a constraint that tests whether the actual - value is of the exact type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is a collection containing the same elements as the - collection supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is a subset of the collection supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value matches the regular expression supplied as an argument. - - - - - Returns a constraint that tests whether the path provided - is the same as an expected path after canonicalization. - - - - - Returns a constraint that tests whether the path provided - is under an expected path after canonicalization. - - - - - Returns a constraint that tests whether the path provided - is the same path or under an expected path after canonicalization. - - - - - Returns a constraint that tests whether the actual value falls - within a specified range. - - - - - Returns a ConstraintExpression that negates any - following constraint. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them succeed. - - - - - Returns a constraint that tests for null - - - - - Returns a constraint that tests for True - - - - - Returns a constraint that tests for False - - - - - Returns a constraint that tests for a positive value - - - - - Returns a constraint that tests for a negative value - - - - - Returns a constraint that tests for NaN - - - - - Returns a constraint that tests for empty - - - - - Returns a constraint that tests whether a collection - contains all unique items. - - - - - Returns a constraint that tests whether an object graph is serializable in binary format. - - - - - Returns a constraint that tests whether an object graph is serializable in xml format. - - - - - Returns a constraint that tests whether a collection is ordered - - - - - The ITestCaseData interface is implemented by a class - that is able to return complete testcases for use by - a parameterized test method. - - NOTE: This interface is used in both the framework - and the core, even though that results in two different - types. However, sharing the source code guarantees that - the various implementations will be compatible and that - the core is able to reflect successfully over the - framework implementations of ITestCaseData. - - - - - Gets the argument list to be provided to the test - - - - - Gets the expected result - - - - - Indicates whether a result has been specified. - This is necessary because the result may be - null, so it's value cannot be checked. - - - - - Gets the expected exception Type - - - - - Gets the FullName of the expected exception - - - - - Gets the name to be used for the test - - - - - Gets the description of the test - - - - - Gets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets a value indicating whether this is explicit. - - true if explicit; otherwise, false. - - - - Gets the ignore reason. - - The ignore reason. - - - - The Iz class is a synonym for Is intended for use in VB, - which regards Is as a keyword. - - - - - The List class is a helper class with properties and methods - that supply a number of constraints used with lists and collections. - - - - - List.Map returns a ListMapper, which can be used to map - the original collection to another collection. - - - - - - - ListMapper is used to transform a collection used as an actual argument - producing another collection to be used in the assertion. - - - - - Construct a ListMapper based on a collection - - The collection to be transformed - - - - Produces a collection containing all the values of a property - - The collection of property values - - - - - Randomizer returns a set of random values in a repeatable - way, to allow re-running of tests if necessary. - - - - - Get a randomizer for a particular member, returning - one that has already been created if it exists. - This ensures that the same values are generated - each time the tests are reloaded. - - - - - Get a randomizer for a particular parameter, returning - one that has already been created if it exists. - This ensures that the same values are generated - each time the tests are reloaded. - - - - - Construct a randomizer using a random seed - - - - - Construct a randomizer using a specified seed - - - - - Return an array of random doubles between 0.0 and 1.0. - - - - - - - Return an array of random doubles with values in a specified range. - - - - - Return an array of random ints with values in a specified range. - - - - - Get a random seed for use in creating a randomizer. - - - - - The SpecialValue enum is used to represent TestCase arguments - that cannot be used as arguments to an Attribute. - - - - - Null represents a null value, which cannot be used as an - argument to an attribute under .NET 1.x - - - - - Basic Asserts on strings. - - - - - The Equals method throws an AssertionException. This is done - to make sure there is no mistake by calling this function. - - - - - - - override the default ReferenceEquals to throw an AssertionException. This - implementation makes sure there is no mistake in calling this function - as part of Assert. - - - - - - - Asserts that a string is found within another string. - - The expected string - The string to be examined - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string is found within another string. - - The expected string - The string to be examined - The message to display in case of failure - - - - Asserts that a string is found within another string. - - The expected string - The string to be examined - - - - Asserts that a string is not found within another string. - - The expected string - The string to be examined - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string is found within another string. - - The expected string - The string to be examined - The message to display in case of failure - - - - Asserts that a string is found within another string. - - The expected string - The string to be examined - - - - Asserts that a string starts with another string. - - The expected string - The string to be examined - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string starts with another string. - - The expected string - The string to be examined - The message to display in case of failure - - - - Asserts that a string starts with another string. - - The expected string - The string to be examined - - - - Asserts that a string does not start with another string. - - The expected string - The string to be examined - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string does not start with another string. - - The expected string - The string to be examined - The message to display in case of failure - - - - Asserts that a string does not start with another string. - - The expected string - The string to be examined - - - - Asserts that a string ends with another string. - - The expected string - The string to be examined - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string ends with another string. - - The expected string - The string to be examined - The message to display in case of failure - - - - Asserts that a string ends with another string. - - The expected string - The string to be examined - - - - Asserts that a string does not end with another string. - - The expected string - The string to be examined - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string does not end with another string. - - The expected string - The string to be examined - The message to display in case of failure - - - - Asserts that a string does not end with another string. - - The expected string - The string to be examined - - - - Asserts that two strings are equal, without regard to case. - - The expected string - The actual string - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that two strings are equal, without regard to case. - - The expected string - The actual string - The message to display in case of failure - - - - Asserts that two strings are equal, without regard to case. - - The expected string - The actual string - - - - Asserts that two strings are not equal, without regard to case. - - The expected string - The actual string - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that two strings are Notequal, without regard to case. - - The expected string - The actual string - The message to display in case of failure - - - - Asserts that two strings are not equal, without regard to case. - - The expected string - The actual string - - - - Asserts that a string matches an expected regular expression pattern. - - The regex pattern to be matched - The actual string - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string matches an expected regular expression pattern. - - The regex pattern to be matched - The actual string - The message to display in case of failure - - - - Asserts that a string matches an expected regular expression pattern. - - The regex pattern to be matched - The actual string - - - - Asserts that a string does not match an expected regular expression pattern. - - The regex pattern to be used - The actual string - The message to display in case of failure - Arguments used in formatting the message - - - - Asserts that a string does not match an expected regular expression pattern. - - The regex pattern to be used - The actual string - The message to display in case of failure - - - - Asserts that a string does not match an expected regular expression pattern. - - The regex pattern to be used - The actual string - - - - The TestCaseData class represents a set of arguments - and other parameter info to be used for a parameterized - test case. It provides a number of instance modifiers - for use in initializing the test case. - - Note: Instance modifiers are getters that return - the same instance after modifying it's state. - - - - - The argument list to be provided to the test - - - - - The expected result to be returned - - - - - Set to true if this has an expected result - - - - - The expected exception Type - - - - - The FullName of the expected exception - - - - - The name to be used for the test - - - - - The description of the test - - - - - A dictionary of properties, used to add information - to tests without requiring the class to change. - - - - - If true, indicates that the test case is to be ignored - - - - - If true, indicates that the test case is marked explicit - - - - - The reason for ignoring a test case - - - - - Initializes a new instance of the class. - - The arguments. - - - - Initializes a new instance of the class. - - The argument. - - - - Initializes a new instance of the class. - - The first argument. - The second argument. - - - - Initializes a new instance of the class. - - The first argument. - The second argument. - The third argument. - - - - Sets the expected result for the test - - The expected result - A modified TestCaseData - - - - Sets the expected exception type for the test - - Type of the expected exception. - The modified TestCaseData instance - - - - Sets the expected exception type for the test - - FullName of the expected exception. - The modified TestCaseData instance - - - - Sets the name of the test case - - The modified TestCaseData instance - - - - Sets the description for the test case - being constructed. - - The description. - The modified TestCaseData instance. - - - - Applies a category to the test - - - - - - - Applies a named property to the test - - - - - - - - Applies a named property to the test - - - - - - - - Applies a named property to the test - - - - - - - - Ignores this TestCase. - - - - - - Ignores this TestCase, specifying the reason. - - The reason. - - - - - Marks this TestCase as Explicit - - - - - - Marks this TestCase as Explicit, specifying the reason. - - The reason. - - - - - Gets the argument list to be provided to the test - - - - - Gets the expected result - - - - - Returns true if the result has been set - - - - - Gets the expected exception Type - - - - - Gets the FullName of the expected exception - - - - - Gets the name to be used for the test - - - - - Gets the description of the test - - - - - Gets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets a value indicating whether this is explicit. - - true if explicit; otherwise, false. - - - - Gets the ignore reason. - - The ignore reason. - - - - Gets a list of categories associated with this test. - - - - - Gets the property dictionary for this test - - - - - Provide the context information of the current test - - - - - Constructs a TestContext using the provided context dictionary - - A context dictionary - - - - Get the current test context. This is created - as needed. The user may save the context for - use within a test, but it should not be used - outside the test for which it is created. - - - - - Gets a TestAdapter representing the currently executing test in this context. - - - - - Gets a ResultAdapter representing the current result for the test - executing in this context. - - - - - Gets the directory containing the current test assembly. - - - - - Gets the directory to be used for outputing files created - by this test run. - - - - - TestAdapter adapts a Test for consumption by - the user test code. - - - - - Constructs a TestAdapter for this context - - The context dictionary - - - - The name of the test. - - - - - The FullName of the test - - - - - The properties of the test. - - - - - ResultAdapter adapts a TestResult for consumption by - the user test code. - - - - - Construct a ResultAdapter for a context - - The context holding the result - - - - The TestState of current test. This maps to the ResultState - used in nunit.core and is subject to change in the future. - - - - - The TestStatus of current test. This enum will be used - in future versions of NUnit and so is to be preferred - to the TestState value. - - - - - Provides details about a test - - - - - Creates an instance of TestDetails - - The fixture that the test is a member of, if available. - The method that implements the test, if available. - The full name of the test. - A string representing the type of test, e.g. "Test Case". - Indicates if the test represents a suite of tests. - - - - The fixture that the test is a member of, if available. - - - - - The method that implements the test, if available. - - - - - The full name of the test. - - - - - A string representing the type of test, e.g. "Test Case". - - - - - Indicates if the test represents a suite of tests. - - - - - The ResultState enum indicates the result of running a test - - - - - The result is inconclusive - - - - - The test was not runnable. - - - - - The test has been skipped. - - - - - The test has been ignored. - - - - - The test succeeded - - - - - The test failed - - - - - The test encountered an unexpected exception - - - - - The test was cancelled by the user - - - - - The TestStatus enum indicates the result of running a test - - - - - The test was inconclusive - - - - - The test has skipped - - - - - The test succeeded - - - - - The test failed - - - - - Helper class with static methods used to supply constraints - that operate on strings. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that fails if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that fails if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that fails if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value matches the Regex pattern supplied as an argument. - - - - - Returns a constraint that fails if the actual - value matches the pattern supplied as an argument. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them succeed. - - - - - TextMessageWriter writes constraint descriptions and messages - in displayable form as a text stream. It tailors the display - of individual message components to form the standard message - format of NUnit assertion failure messages. - - - - - MessageWriter is the abstract base for classes that write - constraint descriptions and messages in some form. The - class has separate methods for writing various components - of a message, allowing implementations to tailor the - presentation as needed. - - - - - Construct a MessageWriter given a culture - - - - - Method to write single line message with optional args, usually - written to precede the general failure message. - - The message to be written - Any arguments used in formatting the message - - - - Method to write single line message with optional args, usually - written to precede the general failure message, at a givel - indentation level. - - The indentation level of the message - The message to be written - Any arguments used in formatting the message - - - - Display Expected and Actual lines for a constraint. This - is called by MessageWriter's default implementation of - WriteMessageTo and provides the generic two-line display. - - The constraint that failed - - - - Display Expected and Actual lines for given values. This - method may be called by constraints that need more control over - the display of actual and expected values than is provided - by the default implementation. - - The expected value - The actual value causing the failure - - - - Display Expected and Actual lines for given values, including - a tolerance value on the Expected line. - - The expected value - The actual value causing the failure - The tolerance within which the test was made - - - - Display the expected and actual string values on separate lines. - If the mismatch parameter is >=0, an additional line is displayed - line containing a caret that points to the mismatch point. - - The expected string value - The actual string value - The point at which the strings don't match or -1 - If true, case is ignored in locating the point where the strings differ - If true, the strings should be clipped to fit the line - - - - Writes the text for a connector. - - The connector. - - - - Writes the text for a predicate. - - The predicate. - - - - Writes the text for an expected value. - - The expected value. - - - - Writes the text for a modifier - - The modifier. - - - - Writes the text for an actual value. - - The actual value. - - - - Writes the text for a generalized value. - - The value. - - - - Writes the text for a collection value, - starting at a particular point, to a max length - - The collection containing elements to write. - The starting point of the elements to write - The maximum number of elements to write - - - - Abstract method to get the max line length - - - - - Prefix used for the expected value line of a message - - - - - Prefix used for the actual value line of a message - - - - - Length of a message prefix - - - - - Construct a TextMessageWriter - - - - - Construct a TextMessageWriter, specifying a user message - and optional formatting arguments. - - - - - - - Method to write single line message with optional args, usually - written to precede the general failure message, at a givel - indentation level. - - The indentation level of the message - The message to be written - Any arguments used in formatting the message - - - - Display Expected and Actual lines for a constraint. This - is called by MessageWriter's default implementation of - WriteMessageTo and provides the generic two-line display. - - The constraint that failed - - - - Display Expected and Actual lines for given values. This - method may be called by constraints that need more control over - the display of actual and expected values than is provided - by the default implementation. - - The expected value - The actual value causing the failure - - - - Display Expected and Actual lines for given values, including - a tolerance value on the expected line. - - The expected value - The actual value causing the failure - The tolerance within which the test was made - - - - Display the expected and actual string values on separate lines. - If the mismatch parameter is >=0, an additional line is displayed - line containing a caret that points to the mismatch point. - - The expected string value - The actual string value - The point at which the strings don't match or -1 - If true, case is ignored in string comparisons - If true, clip the strings to fit the max line length - - - - Writes the text for a connector. - - The connector. - - - - Writes the text for a predicate. - - The predicate. - - - - Write the text for a modifier. - - The modifier. - - - - Writes the text for an expected value. - - The expected value. - - - - Writes the text for an actual value. - - The actual value. - - - - Writes the text for a generalized value. - - The value. - - - - Writes the text for a collection value, - starting at a particular point, to a max length - - The collection containing elements to write. - The starting point of the elements to write - The maximum number of elements to write - - - - Write the generic 'Expected' line for a constraint - - The constraint that failed - - - - Write the generic 'Expected' line for a given value - - The expected value - - - - Write the generic 'Expected' line for a given value - and tolerance. - - The expected value - The tolerance within which the test was made - - - - Write the generic 'Actual' line for a constraint - - The constraint for which the actual value is to be written - - - - Write the generic 'Actual' line for a given value - - The actual value causing a failure - - - - Gets or sets the maximum line length for this writer - - - - - Helper class with properties and methods that supply - constraints that operate on exceptions. - - - - - Creates a constraint specifying the exact type of exception expected - - - - - Creates a constraint specifying the exact type of exception expected - - - - - Creates a constraint specifying the type of exception expected - - - - - Creates a constraint specifying the type of exception expected - - - - - Creates a constraint specifying an expected exception - - - - - Creates a constraint specifying an exception with a given InnerException - - - - - Creates a constraint specifying an expected TargetInvocationException - - - - - Creates a constraint specifying an expected TargetInvocationException - - - - - Creates a constraint specifying an expected TargetInvocationException - - - - - Creates a constraint specifying that no exception is thrown - - - - - Attribute used to apply a category to a test - - - - - The name of the category - - - - - Construct attribute for a given category based on - a name. The name may not contain the characters ',', - '+', '-' or '!'. However, this is not checked in the - constructor since it would cause an error to arise at - as the test was loaded without giving a clear indication - of where the problem is located. The error is handled - in NUnitFramework.cs by marking the test as not - runnable. - - The name of the category - - - - Protected constructor uses the Type name as the name - of the category. - - - - - The name of the category - - - - - Used to mark a field for use as a datapoint when executing a theory - within the same fixture that requires an argument of the field's Type. - - - - - Used to mark an array as containing a set of datapoints to be used - executing a theory within the same fixture that requires an argument - of the Type of the array elements. - - - - - Attribute used to provide descriptive text about a - test case or fixture. - - - - - Construct the attribute - - Text describing the test - - - - Gets the test description - - - - - Enumeration indicating how the expected message parameter is to be used - - - - Expect an exact match - - - Expect a message containing the parameter string - - - Match the regular expression provided as a parameter - - - Expect a message that starts with the parameter string - - - - ExpectedExceptionAttribute - - - - - - Constructor for a non-specific exception - - - - - Constructor for a given type of exception - - The type of the expected exception - - - - Constructor for a given exception name - - The full name of the expected exception - - - - Gets or sets the expected exception type - - - - - Gets or sets the full Type name of the expected exception - - - - - Gets or sets the expected message text - - - - - Gets or sets the user message displayed in case of failure - - - - - Gets or sets the type of match to be performed on the expected message - - - - - Gets the name of a method to be used as an exception handler - - - - - ExplicitAttribute marks a test or test fixture so that it will - only be run if explicitly executed from the gui or command line - or if it is included by use of a filter. The test will not be - run simply because an enclosing suite is run. - - - - - Default constructor - - - - - Constructor with a reason - - The reason test is marked explicit - - - - The reason test is marked explicit - - - - - Attribute used to mark a test that is to be ignored. - Ignored tests result in a warning message when the - tests are run. - - - - - Constructs the attribute without giving a reason - for ignoring the test. - - - - - Constructs the attribute giving a reason for ignoring the test - - The reason for ignoring the test - - - - The reason for ignoring a test - - - - - Abstract base for Attributes that are used to include tests - in the test run based on environmental settings. - - - - - Constructor with no included items specified, for use - with named property syntax. - - - - - Constructor taking one or more included items - - Comma-delimited list of included items - - - - Name of the item that is needed in order for - a test to run. Multiple itemss may be given, - separated by a comma. - - - - - Name of the item to be excluded. Multiple items - may be given, separated by a comma. - - - - - The reason for including or excluding the test - - - - - PlatformAttribute is used to mark a test fixture or an - individual method as applying to a particular platform only. - - - - - Constructor with no platforms specified, for use - with named property syntax. - - - - - Constructor taking one or more platforms - - Comma-deliminted list of platforms - - - - CultureAttribute is used to mark a test fixture or an - individual method as applying to a particular Culture only. - - - - - Constructor with no cultures specified, for use - with named property syntax. - - - - - Constructor taking one or more cultures - - Comma-deliminted list of cultures - - - - Marks a test to use a combinatorial join of any argument data - provided. NUnit will create a test case for every combination of - the arguments provided. This can result in a large number of test - cases and so should be used judiciously. This is the default join - type, so the attribute need not be used except as documentation. - - - - - PropertyAttribute is used to attach information to a test as a name/value pair.. - - - - - Construct a PropertyAttribute with a name and string value - - The name of the property - The property value - - - - Construct a PropertyAttribute with a name and int value - - The name of the property - The property value - - - - Construct a PropertyAttribute with a name and double value - - The name of the property - The property value - - - - Constructor for derived classes that set the - property dictionary directly. - - - - - Constructor for use by derived classes that use the - name of the type as the property name. Derived classes - must ensure that the Type of the property value is - a standard type supported by the BCL. Any custom - types will cause a serialization Exception when - in the client. - - - - - Gets the property dictionary for this attribute - - - - - Default constructor - - - - - Marks a test to use pairwise join of any argument data provided. - NUnit will attempt too excercise every pair of argument values at - least once, using as small a number of test cases as it can. With - only two arguments, this is the same as a combinatorial join. - - - - - Default constructor - - - - - Marks a test to use a sequential join of any argument data - provided. NUnit will use arguements for each parameter in - sequence, generating test cases up to the largest number - of argument values provided and using null for any arguments - for which it runs out of values. Normally, this should be - used with the same number of arguments for each parameter. - - - - - Default constructor - - - - - Summary description for MaxTimeAttribute. - - - - - Construct a MaxTimeAttribute, given a time in milliseconds. - - The maximum elapsed time in milliseconds - - - - RandomAttribute is used to supply a set of random values - to a single parameter of a parameterized test. - - - - - ValuesAttribute is used to provide literal arguments for - an individual parameter of a test. - - - - - Abstract base class for attributes that apply to parameters - and supply data for the parameter. - - - - - Gets the data to be provided to the specified parameter - - - - - The collection of data to be returned. Must - be set by any derived attribute classes. - We use an object[] so that the individual - elements may have their type changed in GetData - if necessary. - - - - - Construct with one argument - - - - - - Construct with two arguments - - - - - - - Construct with three arguments - - - - - - - - Construct with an array of arguments - - - - - - Get the collection of values to be used as arguments - - - - - Construct a set of doubles from 0.0 to 1.0, - specifying only the count. - - - - - - Construct a set of doubles from min to max - - - - - - - - Construct a set of ints from min to max - - - - - - - - Get the collection of values to be used as arguments - - - - - RangeAttribute is used to supply a range of values to an - individual parameter of a parameterized test. - - - - - Construct a range of ints using default step of 1 - - - - - - - Construct a range of ints specifying the step size - - - - - - - - Construct a range of longs - - - - - - - - Construct a range of doubles - - - - - - - - Construct a range of floats - - - - - - - - RepeatAttribute may be applied to test case in order - to run it multiple times. - - - - - Construct a RepeatAttribute - - The number of times to run the test - - - - RequiredAddinAttribute may be used to indicate the names of any addins - that must be present in order to run some or all of the tests in an - assembly. If the addin is not loaded, the entire assembly is marked - as NotRunnable. - - - - - Initializes a new instance of the class. - - The required addin. - - - - Gets the name of required addin. - - The required addin name. - - - - Summary description for SetCultureAttribute. - - - - - Construct given the name of a culture - - - - - - Summary description for SetUICultureAttribute. - - - - - Construct given the name of a culture - - - - - - SetUpAttribute is used in a TestFixture to identify a method - that is called immediately before each test is run. It is - also used in a SetUpFixture to identify the method that is - called once, before any of the subordinate tests are run. - - - - - Attribute used to mark a class that contains one-time SetUp - and/or TearDown methods that apply to all the tests in a - namespace or an assembly. - - - - - Attribute used to mark a static (shared in VB) property - that returns a list of tests. - - - - - Attribute used in a TestFixture to identify a method that is - called immediately after each test is run. It is also used - in a SetUpFixture to identify the method that is called once, - after all subordinate tests have run. In either case, the method - is guaranteed to be called, even if an exception is thrown. - - - - - Provide actions to execute before and after tests. - - - - - When implemented by an attribute, this interface implemented to provide actions to execute before and after tests. - - - - - Executed before each test is run - - Provides details about the test that is going to be run. - - - - Executed after each test is run - - Provides details about the test that has just been run. - - - - Provides the target for the action attribute - - The target for the action attribute - - - - Adding this attribute to a method within a - class makes the method callable from the NUnit test runner. There is a property - called Description which is optional which you can provide a more detailed test - description. This class cannot be inherited. - - - - [TestFixture] - public class Fixture - { - [Test] - public void MethodToTest() - {} - - [Test(Description = "more detailed description")] - publc void TestDescriptionMethod() - {} - } - - - - - - Descriptive text for this test - - - - - TestCaseAttribute is used to mark parameterized test cases - and provide them with their arguments. - - - - - Construct a TestCaseAttribute with a list of arguments. - This constructor is not CLS-Compliant - - - - - - Construct a TestCaseAttribute with a single argument - - - - - - Construct a TestCaseAttribute with a two arguments - - - - - - - Construct a TestCaseAttribute with a three arguments - - - - - - - - Gets the list of arguments to a test case - - - - - Gets or sets the expected result. Use - ExpectedResult by preference. - - The result. - - - - Gets or sets the expected result. - - The result. - - - - Gets a flag indicating whether an expected - result has been set. - - - - - Gets a list of categories associated with this test; - - - - - Gets or sets the category associated with this test. - May be a single category or a comma-separated list. - - - - - Gets or sets the expected exception. - - The expected exception. - - - - Gets or sets the name the expected exception. - - The expected name of the exception. - - - - Gets or sets the expected message of the expected exception - - The expected message of the exception. - - - - Gets or sets the type of match to be performed on the expected message - - - - - Gets or sets the description. - - The description. - - - - Gets or sets the name of the test. - - The name of the test. - - - - Gets or sets the ignored status of the test - - - - - Gets or sets the ignored status of the test - - - - - Gets or sets the explicit status of the test - - - - - Gets or sets the reason for not running the test - - - - - Gets or sets the reason for not running the test. - Set has the side effect of marking the test as ignored. - - The ignore reason. - - - - FactoryAttribute indicates the source to be used to - provide test cases for a test method. - - - - - Construct with the name of the data source, which must - be a property, field or method of the test class itself. - - An array of the names of the factories that will provide data - - - - Construct with a Type, which must implement IEnumerable - - The Type that will provide data - - - - Construct with a Type and name. - that don't support params arrays. - - The Type that will provide data - The name of the method, property or field that will provide data - - - - The name of a the method, property or fiend to be used as a source - - - - - A Type to be used as a source - - - - - Gets or sets the category associated with this test. - May be a single category or a comma-separated list. - - - - - [TestFixture] - public class ExampleClass - {} - - - - - Default constructor - - - - - Construct with a object[] representing a set of arguments. - In .NET 2.0, the arguments may later be separated into - type arguments and constructor arguments. - - - - - - Descriptive text for this fixture - - - - - Gets and sets the category for this fixture. - May be a comma-separated list of categories. - - - - - Gets a list of categories for this fixture - - - - - The arguments originally provided to the attribute - - - - - Gets or sets a value indicating whether this should be ignored. - - true if ignore; otherwise, false. - - - - Gets or sets the ignore reason. May set Ignored as a side effect. - - The ignore reason. - - - - Get or set the type arguments. If not set - explicitly, any leading arguments that are - Types are taken as type arguments. - - - - - Attribute used to identify a method that is - called before any tests in a fixture are run. - - - - - Attribute used to identify a method that is called after - all the tests in a fixture have run. The method is - guaranteed to be called, even if an exception is thrown. - - - - - Adding this attribute to a method within a - class makes the method callable from the NUnit test runner. There is a property - called Description which is optional which you can provide a more detailed test - description. This class cannot be inherited. - - - - [TestFixture] - public class Fixture - { - [Test] - public void MethodToTest() - {} - - [Test(Description = "more detailed description")] - publc void TestDescriptionMethod() - {} - } - - - - - - Used on a method, marks the test with a timeout value in milliseconds. - The test will be run in a separate thread and is cancelled if the timeout - is exceeded. Used on a method or assembly, sets the default timeout - for all contained test methods. - - - - - Construct a TimeoutAttribute given a time in milliseconds - - The timeout value in milliseconds - - - - Marks a test that must run in the STA, causing it - to run in a separate thread if necessary. - - On methods, you may also use STAThreadAttribute - to serve the same purpose. - - - - - Construct a RequiresSTAAttribute - - - - - Marks a test that must run in the MTA, causing it - to run in a separate thread if necessary. - - On methods, you may also use MTAThreadAttribute - to serve the same purpose. - - - - - Construct a RequiresMTAAttribute - - - - - Marks a test that must run on a separate thread. - - - - - Construct a RequiresThreadAttribute - - - - - Construct a RequiresThreadAttribute, specifying the apartment - - - - - ValueSourceAttribute indicates the source to be used to - provide data for one parameter of a test method. - - - - - Construct with the name of the factory - for use with languages - that don't support params arrays. - - The name of the data source to be used - - - - Construct with a Type and name - for use with languages - that don't support params arrays. - - The Type that will provide data - The name of the method, property or field that will provide data - - - - The name of a the method, property or fiend to be used as a source - - - - - A Type to be used as a source - - - - - AllItemsConstraint applies another constraint to each - item in a collection, succeeding if they all succeed. - - - - - Abstract base class used for prefixes - - - - - The Constraint class is the base of all built-in constraints - within NUnit. It provides the operator overloads used to combine - constraints. - - - - - The IConstraintExpression interface is implemented by all - complete and resolvable constraints and expressions. - - - - - Return the top-level constraint for this expression - - - - - - Static UnsetObject used to detect derived constraints - failing to set the actual value. - - - - - The actual value being tested against a constraint - - - - - The display name of this Constraint for use by ToString() - - - - - Argument fields used by ToString(); - - - - - The builder holding this constraint - - - - - Construct a constraint with no arguments - - - - - Construct a constraint with one argument - - - - - Construct a constraint with two arguments - - - - - Sets the ConstraintBuilder holding this constraint - - - - - Write the failure message to the MessageWriter provided - as an argument. The default implementation simply passes - the constraint and the actual value to the writer, which - then displays the constraint description and the value. - - Constraints that need to provide additional details, - such as where the error occured can override this. - - The MessageWriter on which to display the message - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Test whether the constraint is satisfied by an - ActualValueDelegate that returns the value to be tested. - The default implementation simply evaluates the delegate - but derived classes may override it to provide for delayed - processing. - - An - True for success, false for failure - - - - Test whether the constraint is satisfied by a given reference. - The default implementation simply dereferences the value but - derived classes may override it to provide for delayed processing. - - A reference to the value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - Default override of ToString returns the constraint DisplayName - followed by any arguments within angle brackets. - - - - - - Returns the string representation of this constraint - - - - - This operator creates a constraint that is satisfied only if both - argument constraints are satisfied. - - - - - This operator creates a constraint that is satisfied if either - of the argument constraints is satisfied. - - - - - This operator creates a constraint that is satisfied if the - argument constraint is not satisfied. - - - - - Returns a DelayedConstraint with the specified delay time. - - The delay in milliseconds. - - - - - Returns a DelayedConstraint with the specified delay time - and polling interval. - - The delay in milliseconds. - The interval at which to test the constraint. - - - - - The display name of this Constraint for use by ToString(). - The default value is the name of the constraint with - trailing "Constraint" removed. Derived classes may set - this to another name in their constructors. - - - - - Returns a ConstraintExpression by appending And - to the current constraint. - - - - - Returns a ConstraintExpression by appending And - to the current constraint. - - - - - Returns a ConstraintExpression by appending Or - to the current constraint. - - - - - Class used to detect any derived constraints - that fail to set the actual value in their - Matches override. - - - - - The base constraint - - - - - Construct given a base constraint - - - - - - Construct an AllItemsConstraint on top of an existing constraint - - - - - - Apply the item constraint to each item in the collection, - failing if any item fails. - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - AndConstraint succeeds only if both members succeed. - - - - - BinaryConstraint is the abstract base of all constraints - that combine two other constraints in some fashion. - - - - - The first constraint being combined - - - - - The second constraint being combined - - - - - Construct a BinaryConstraint from two other constraints - - The first constraint - The second constraint - - - - Create an AndConstraint from two other constraints - - The first constraint - The second constraint - - - - Apply both member constraints to an actual value, succeeding - succeeding only if both of them succeed. - - The actual value - True if the constraints both succeeded - - - - Write a description for this contraint to a MessageWriter - - The MessageWriter to receive the description - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - AssignableFromConstraint is used to test that an object - can be assigned from a given Type. - - - - - TypeConstraint is the abstract base for constraints - that take a Type as their expected value. - - - - - The expected Type used by the constraint - - - - - Construct a TypeConstraint for a given Type - - - - - - Write the actual value for a failing constraint test to a - MessageWriter. TypeConstraints override this method to write - the name of the type. - - The writer on which the actual value is displayed - - - - Construct an AssignableFromConstraint for the type provided - - - - - - Test whether an object can be assigned from the specified type - - The object to be tested - True if the object can be assigned a value of the expected Type, otherwise false. - - - - Write a description of this constraint to a MessageWriter - - The MessageWriter to use - - - - AssignableToConstraint is used to test that an object - can be assigned to a given Type. - - - - - Construct an AssignableToConstraint for the type provided - - - - - - Test whether an object can be assigned to the specified type - - The object to be tested - True if the object can be assigned a value of the expected Type, otherwise false. - - - - Write a description of this constraint to a MessageWriter - - The MessageWriter to use - - - - AttributeConstraint tests that a specified attribute is present - on a Type or other provider and that the value of the attribute - satisfies some other constraint. - - - - - Constructs an AttributeConstraint for a specified attriute - Type and base constraint. - - - - - - - Determines whether the Type or other provider has the - expected attribute and if its value matches the - additional constraint specified. - - - - - Writes a description of the attribute to the specified writer. - - - - - Writes the actual value supplied to the specified writer. - - - - - Returns a string representation of the constraint. - - - - - AttributeExistsConstraint tests for the presence of a - specified attribute on a Type. - - - - - Constructs an AttributeExistsConstraint for a specific attribute Type - - - - - - Tests whether the object provides the expected attribute. - - A Type, MethodInfo, or other ICustomAttributeProvider - True if the expected attribute is present, otherwise false - - - - Writes the description of the constraint to the specified writer - - - - - BasicConstraint is the abstract base for constraints that - perform a simple comparison to a constant value. - - - - - Initializes a new instance of the class. - - The expected. - The description. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - BinarySerializableConstraint tests whether - an object is serializable in binary format. - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - Returns the string representation - - - - - CollectionConstraint is the abstract base class for - constraints that operate on collections. - - - - - Construct an empty CollectionConstraint - - - - - Construct a CollectionConstraint - - - - - - Determines whether the specified enumerable is empty. - - The enumerable. - - true if the specified enumerable is empty; otherwise, false. - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Protected method to be implemented by derived classes - - - - - - - CollectionContainsConstraint is used to test whether a collection - contains an expected object as a member. - - - - - CollectionItemsEqualConstraint is the abstract base class for all - collection constraints that apply some notion of item equality - as a part of their operation. - - - - - Construct an empty CollectionConstraint - - - - - Construct a CollectionConstraint - - - - - - Flag the constraint to use the supplied EqualityAdapter. - NOTE: For internal use only. - - The EqualityAdapter to use. - Self. - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied Comparison object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IEqualityComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IEqualityComparer object. - - The IComparer object to use. - Self. - - - - Compares two collection members for equality - - - - - Return a new CollectionTally for use in making tests - - The collection to be included in the tally - - - - Flag the constraint to ignore case and return self. - - - - - Construct a CollectionContainsConstraint - - - - - - Test whether the expected item is contained in the collection - - - - - - - Write a descripton of the constraint to a MessageWriter - - - - - - CollectionEquivalentCOnstraint is used to determine whether two - collections are equivalent. - - - - - Construct a CollectionEquivalentConstraint - - - - - - Test whether two collections are equivalent - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - CollectionOrderedConstraint is used to test whether a collection is ordered. - - - - - Construct a CollectionOrderedConstraint - - - - - Modifies the constraint to use an IComparer and returns self. - - - - - Modifies the constraint to use an IComparer<T> and returns self. - - - - - Modifies the constraint to use a Comparison<T> and returns self. - - - - - Modifies the constraint to test ordering by the value of - a specified property and returns self. - - - - - Test whether the collection is ordered - - - - - - - Write a description of the constraint to a MessageWriter - - - - - - Returns the string representation of the constraint. - - - - - - If used performs a reverse comparison - - - - - CollectionSubsetConstraint is used to determine whether - one collection is a subset of another - - - - - Construct a CollectionSubsetConstraint - - The collection that the actual value is expected to be a subset of - - - - Test whether the actual collection is a subset of - the expected collection provided. - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - CollectionTally counts (tallies) the number of - occurences of each object in one or more enumerations. - - - - - Construct a CollectionTally object from a comparer and a collection - - - - - Try to remove an object from the tally - - The object to remove - True if successful, false if the object was not found - - - - Try to remove a set of objects from the tally - - The objects to remove - True if successful, false if any object was not found - - - - The number of objects remaining in the tally - - - - - ComparisonAdapter class centralizes all comparisons of - values in NUnit, adapting to the use of any provided - IComparer, IComparer<T> or Comparison<T> - - - - - Returns a ComparisonAdapter that wraps an IComparer - - - - - Returns a ComparisonAdapter that wraps an IComparer<T> - - - - - Returns a ComparisonAdapter that wraps a Comparison<T> - - - - - Compares two objects - - - - - Gets the default ComparisonAdapter, which wraps an - NUnitComparer object. - - - - - Construct a ComparisonAdapter for an IComparer - - - - - Compares two objects - - - - - - - - Construct a default ComparisonAdapter - - - - - ComparisonAdapter<T> extends ComparisonAdapter and - allows use of an IComparer<T> or Comparison<T> - to actually perform the comparison. - - - - - Construct a ComparisonAdapter for an IComparer<T> - - - - - Compare a Type T to an object - - - - - Construct a ComparisonAdapter for a Comparison<T> - - - - - Compare a Type T to an object - - - - - Abstract base class for constraints that compare values to - determine if one is greater than, equal to or less than - the other. This class supplies the Using modifiers. - - - - - ComparisonAdapter to be used in making the comparison - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - - - Modifies the constraint to use an IComparer and returns self - - - - - Modifies the constraint to use an IComparer<T> and returns self - - - - - Modifies the constraint to use a Comparison<T> and returns self - - - - - Delegate used to delay evaluation of the actual value - to be used in evaluating a constraint - - - - - ConstraintBuilder maintains the stacks that are used in - processing a ConstraintExpression. An OperatorStack - is used to hold operators that are waiting for their - operands to be reognized. a ConstraintStack holds - input constraints as well as the results of each - operator applied. - - - - - Initializes a new instance of the class. - - - - - Appends the specified operator to the expression by first - reducing the operator stack and then pushing the new - operator on the stack. - - The operator to push. - - - - Appends the specified constraint to the expresson by pushing - it on the constraint stack. - - The constraint to push. - - - - Sets the top operator right context. - - The right context. - - - - Reduces the operator stack until the topmost item - precedence is greater than or equal to the target precedence. - - The target precedence. - - - - Resolves this instance, returning a Constraint. If the builder - is not currently in a resolvable state, an exception is thrown. - - The resolved constraint - - - - Gets a value indicating whether this instance is resolvable. - - - true if this instance is resolvable; otherwise, false. - - - - - OperatorStack is a type-safe stack for holding ConstraintOperators - - - - - Initializes a new instance of the class. - - The builder. - - - - Pushes the specified operator onto the stack. - - The op. - - - - Pops the topmost operator from the stack. - - - - - - Gets a value indicating whether this is empty. - - true if empty; otherwise, false. - - - - Gets the topmost operator without modifying the stack. - - The top. - - - - ConstraintStack is a type-safe stack for holding Constraints - - - - - Initializes a new instance of the class. - - The builder. - - - - Pushes the specified constraint. As a side effect, - the constraint's builder field is set to the - ConstraintBuilder owning this stack. - - The constraint. - - - - Pops this topmost constrait from the stack. - As a side effect, the constraint's builder - field is set to null. - - - - - - Gets a value indicating whether this is empty. - - true if empty; otherwise, false. - - - - Gets the topmost constraint without modifying the stack. - - The topmost constraint - - - - ConstraintExpression represents a compound constraint in the - process of being constructed from a series of syntactic elements. - - Individual elements are appended to the expression as they are - reognized. Once an actual Constraint is appended, the expression - returns a resolvable Constraint. - - - - - ConstraintExpressionBase is the abstract base class for the - ConstraintExpression class, which represents a - compound constraint in the process of being constructed - from a series of syntactic elements. - - NOTE: ConstraintExpressionBase is separate because the - ConstraintExpression class was generated in earlier - versions of NUnit. The two classes may be combined - in a future version. - - - - - The ConstraintBuilder holding the elements recognized so far - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the - class passing in a ConstraintBuilder, which may be pre-populated. - - The builder. - - - - Returns a string representation of the expression as it - currently stands. This should only be used for testing, - since it has the side-effect of resolving the expression. - - - - - - Appends an operator to the expression and returns the - resulting expression itself. - - - - - Appends a self-resolving operator to the expression and - returns a new ResolvableConstraintExpression. - - - - - Appends a constraint to the expression and returns that - constraint, which is associated with the current state - of the expression being built. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the - class passing in a ConstraintBuilder, which may be pre-populated. - - The builder. - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding only if a specified number of them succeed. - - - - - Returns a new PropertyConstraintExpression, which will either - test for the existence of the named property on the object - being tested or apply any following constraint to that property. - - - - - Returns a new AttributeConstraint checking for the - presence of a particular attribute on an object. - - - - - Returns a new AttributeConstraint checking for the - presence of a particular attribute on an object. - - - - - Returns the constraint provided as an argument - used to allow custom - custom constraints to easily participate in the syntax. - - - - - Returns the constraint provided as an argument - used to allow custom - custom constraints to easily participate in the syntax. - - - - - Returns a constraint that tests two items for equality - - - - - Returns a constraint that tests that two references are the same object - - - - - Returns a constraint that tests whether the - actual value is greater than the suppled argument - - - - - Returns a constraint that tests whether the - actual value is greater than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is greater than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than or equal to the suppled argument - - - - - Returns a constraint that tests whether the - actual value is less than or equal to the suppled argument - - - - - Returns a constraint that tests whether the actual - value is of the exact type supplied as an argument. - - - - - Returns a constraint that tests whether the actual - value is of the exact type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is of the type supplied as an argument or a derived type. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is assignable from the type supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is a collection containing the same elements as the - collection supplied as an argument. - - - - - Returns a constraint that tests whether the actual value - is a subset of the collection supplied as an argument. - - - - - Returns a new CollectionContainsConstraint checking for the - presence of a particular object in the collection. - - - - - Returns a new CollectionContainsConstraint checking for the - presence of a particular object in the collection. - - - - - Returns a new ContainsConstraint. This constraint - will, in turn, make use of the appropriate second-level - constraint, depending on the type of the actual argument. - This overload is only used if the item sought is a string, - since any other type implies that we are looking for a - collection member. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value contains the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value starts with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value ends with the substring supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value matches the regular expression supplied as an argument. - - - - - Returns a constraint that succeeds if the actual - value matches the regular expression supplied as an argument. - - - - - Returns a constraint that tests whether the path provided - is the same as an expected path after canonicalization. - - - - - Returns a constraint that tests whether the path provided - is the same path or under an expected path after canonicalization. - - - - - Returns a constraint that tests whether the path provided - is the same path or under an expected path after canonicalization. - - - - - Returns a constraint that tests whether the actual value falls - within a specified range. - - - - - Returns a ConstraintExpression that negates any - following constraint. - - - - - Returns a ConstraintExpression that negates any - following constraint. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them succeed. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if at least one of them succeeds. - - - - - Returns a ConstraintExpression, which will apply - the following constraint to all members of a collection, - succeeding if all of them fail. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Length property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Count property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the Message property of the object being tested. - - - - - Returns a new ConstraintExpression, which will apply the following - constraint to the InnerException property of the object being tested. - - - - - With is currently a NOP - reserved for future use. - - - - - Returns a constraint that tests for null - - - - - Returns a constraint that tests for True - - - - - Returns a constraint that tests for False - - - - - Returns a constraint that tests for a positive value - - - - - Returns a constraint that tests for a negative value - - - - - Returns a constraint that tests for NaN - - - - - Returns a constraint that tests for empty - - - - - Returns a constraint that tests whether a collection - contains all unique items. - - - - - Returns a constraint that tests whether an object graph is serializable in binary format. - - - - - Returns a constraint that tests whether an object graph is serializable in xml format. - - - - - Returns a constraint that tests whether a collection is ordered - - - - - ContainsConstraint tests a whether a string contains a substring - or a collection contains an object. It postpones the decision of - which test to use until the type of the actual argument is known. - This allows testing whether a string is contained in a collection - or as a substring of another string using the same syntax. - - - - - Initializes a new instance of the class. - - The expected. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied Comparison object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IEqualityComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IEqualityComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to ignore case and return self. - - - - - Applies a delay to the match so that a match can be evaluated in the future. - - - - - Creates a new DelayedConstraint - - The inner constraint two decorate - The time interval after which the match is performed - If the value of is less than 0 - - - - Creates a new DelayedConstraint - - The inner constraint two decorate - The time interval after which the match is performed - The time interval used for polling - If the value of is less than 0 - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for if the base constraint fails, false if it succeeds - - - - Test whether the constraint is satisfied by a delegate - - The delegate whose value is to be tested - True for if the base constraint fails, false if it succeeds - - - - Test whether the constraint is satisfied by a given reference. - Overridden to wait for the specified delay period before - calling the base constraint with the dereferenced value. - - A reference to the value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a MessageWriter. - - The writer on which the actual value is displayed - - - - Returns the string representation of the constraint. - - - - - EmptyCollectionConstraint tests whether a collection is empty. - - - - - Check that the collection is empty - - - - - - - Write the constraint description to a MessageWriter - - - - - - EmptyConstraint tests a whether a string or collection is empty, - postponing the decision about which test is applied until the - type of the actual argument is known. - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - EmptyDirectoryConstraint is used to test that a directory is empty - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - EmptyStringConstraint tests whether a string is empty. - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - EndsWithConstraint can test whether a string ends - with an expected substring. - - - - - StringConstraint is the abstract base for constraints - that operate on strings. It supports the IgnoreCase - modifier for string operations. - - - - - The expected value - - - - - Indicates whether tests should be case-insensitive - - - - - Constructs a StringConstraint given an expected value - - The expected value - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Test whether the constraint is satisfied by a given string - - The string to be tested - True for success, false for failure - - - - Modify the constraint to ignore case in matching. - - - - - Initializes a new instance of the class. - - The expected string - - - - Test whether the constraint is matched by the actual value. - This is a template method, which calls the IsMatch method - of the derived class. - - - - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - EqualConstraint is able to compare an actual value with the - expected value provided in its constructor. Two objects are - considered equal if both are null, or if both have the same - value. NUnit has special semantics for some object types. - - - - - If true, strings in error messages will be clipped - - - - - NUnitEqualityComparer used to test equality. - - - - - Initializes a new instance of the class. - - The expected value. - - - - Flag the constraint to use a tolerance when determining equality. - - Tolerance value to be used - Self. - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied Comparison object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IEqualityComparer object. - - The IComparer object to use. - Self. - - - - Flag the constraint to use the supplied IEqualityComparer object. - - The IComparer object to use. - Self. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write a failure message. Overridden to provide custom - failure messages for EqualConstraint. - - The MessageWriter to write to - - - - Write description of this constraint - - The MessageWriter to write to - - - - Display the failure information for two collections that did not match. - - The MessageWriter on which to display - The expected collection. - The actual collection - The depth of this failure in a set of nested collections - - - - Displays a single line showing the types and sizes of the expected - and actual enumerations, collections or arrays. If both are identical, - the value is only shown once. - - The MessageWriter on which to display - The expected collection or array - The actual collection or array - The indentation level for the message line - - - - Displays a single line showing the point in the expected and actual - arrays at which the comparison failed. If the arrays have different - structures or dimensions, both values are shown. - - The MessageWriter on which to display - The expected array - The actual array - Index of the failure point in the underlying collections - The indentation level for the message line - - - - Display the failure information for two IEnumerables that did not match. - - The MessageWriter on which to display - The expected enumeration. - The actual enumeration - The depth of this failure in a set of nested collections - - - - Flag the constraint to ignore case and return self. - - - - - Flag the constraint to suppress string clipping - and return self. - - - - - Flag the constraint to compare arrays as collections - and return self. - - - - - Switches the .Within() modifier to interpret its tolerance as - a distance in representable values (see remarks). - - Self. - - Ulp stands for "unit in the last place" and describes the minimum - amount a given value can change. For any integers, an ulp is 1 whole - digit. For floating point values, the accuracy of which is better - for smaller numbers and worse for larger numbers, an ulp depends - on the size of the number. Using ulps for comparison of floating - point results instead of fixed tolerances is safer because it will - automatically compensate for the added inaccuracy of larger numbers. - - - - - Switches the .Within() modifier to interpret its tolerance as - a percentage that the actual values is allowed to deviate from - the expected value. - - Self - - - - Causes the tolerance to be interpreted as a TimeSpan in days. - - Self - - - - Causes the tolerance to be interpreted as a TimeSpan in hours. - - Self - - - - Causes the tolerance to be interpreted as a TimeSpan in minutes. - - Self - - - - Causes the tolerance to be interpreted as a TimeSpan in seconds. - - Self - - - - Causes the tolerance to be interpreted as a TimeSpan in milliseconds. - - Self - - - - Causes the tolerance to be interpreted as a TimeSpan in clock ticks. - - Self - - - - EqualityAdapter class handles all equality comparisons - that use an IEqualityComparer, IEqualityComparer<T> - or a ComparisonAdapter. - - - - - Compares two objects, returning true if they are equal - - - - - Returns true if the two objects can be compared by this adapter. - The base adapter cannot handle IEnumerables except for strings. - - - - - Returns an EqualityAdapter that wraps an IComparer. - - - - - Returns an EqualityAdapter that wraps an IEqualityComparer. - - - - - Returns an EqualityAdapter that wraps an IEqualityComparer<T>. - - - - - Returns an EqualityAdapter that wraps an IComparer<T>. - - - - - Returns an EqualityAdapter that wraps a Comparison<T>. - - - - - EqualityAdapter that wraps an IComparer. - - - - - Returns true if the two objects can be compared by this adapter. - Generic adapter requires objects of the specified type. - - - - - EqualityAdapter that wraps an IComparer. - - - - - EqualityAdapterList represents a list of EqualityAdapters - in a common class across platforms. - - - - - ExactCountConstraint applies another constraint to each - item in a collection, succeeding only if a specified - number of items succeed. - - - - - Construct an ExactCountConstraint on top of an existing constraint - - - - - - - Apply the item constraint to each item in the collection, - succeeding only if the expected number of items pass. - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - ExactTypeConstraint is used to test that an object - is of the exact type provided in the constructor - - - - - Construct an ExactTypeConstraint for a given Type - - The expected Type. - - - - Test that an object is of the exact type specified - - The actual value. - True if the tested object is of the exact type provided, otherwise false. - - - - Write the description of this constraint to a MessageWriter - - The MessageWriter to use - - - - ExceptionTypeConstraint is a special version of ExactTypeConstraint - used to provided detailed info about the exception thrown in - an error message. - - - - - Constructs an ExceptionTypeConstraint - - - - - Write the actual value for a failing constraint test to a - MessageWriter. Overriden to write additional information - in the case of an Exception. - - The MessageWriter to use - - - - FailurePoint class represents one point of failure - in an equality test. - - - - - The location of the failure - - - - - The expected value - - - - - The actual value - - - - - Indicates whether the expected value is valid - - - - - Indicates whether the actual value is valid - - - - - FailurePointList represents a set of FailurePoints - in a cross-platform way. - - - - - FalseConstraint tests that the actual value is false - - - - - Initializes a new instance of the class. - - - - Helper routines for working with floating point numbers - - - The floating point comparison code is based on this excellent article: - http://www.cygnus-software.com/papers/comparingfloats/comparingfloats.htm - - - "ULP" means Unit in the Last Place and in the context of this library refers to - the distance between two adjacent floating point numbers. IEEE floating point - numbers can only represent a finite subset of natural numbers, with greater - accuracy for smaller numbers and lower accuracy for very large numbers. - - - If a comparison is allowed "2 ulps" of deviation, that means the values are - allowed to deviate by up to 2 adjacent floating point values, which might be - as low as 0.0000001 for small numbers or as high as 10.0 for large numbers. - - - - - Compares two floating point values for equality - First floating point value to be compared - Second floating point value t be compared - - Maximum number of representable floating point values that are allowed to - be between the left and the right floating point values - - True if both numbers are equal or close to being equal - - - Floating point values can only represent a finite subset of natural numbers. - For example, the values 2.00000000 and 2.00000024 can be stored in a float, - but nothing inbetween them. - - - This comparison will count how many possible floating point values are between - the left and the right number. If the number of possible values between both - numbers is less than or equal to maxUlps, then the numbers are considered as - being equal. - - - Implementation partially follows the code outlined here: - http://www.anttirt.net/2007/08/19/proper-floating-point-comparisons/ - - - - - Compares two double precision floating point values for equality - First double precision floating point value to be compared - Second double precision floating point value t be compared - - Maximum number of representable double precision floating point values that are - allowed to be between the left and the right double precision floating point values - - True if both numbers are equal or close to being equal - - - Double precision floating point values can only represent a limited series of - natural numbers. For example, the values 2.0000000000000000 and 2.0000000000000004 - can be stored in a double, but nothing inbetween them. - - - This comparison will count how many possible double precision floating point - values are between the left and the right number. If the number of possible - values between both numbers is less than or equal to maxUlps, then the numbers - are considered as being equal. - - - Implementation partially follows the code outlined here: - http://www.anttirt.net/2007/08/19/proper-floating-point-comparisons/ - - - - - - Reinterprets the memory contents of a floating point value as an integer value - - - Floating point value whose memory contents to reinterpret - - - The memory contents of the floating point value interpreted as an integer - - - - - Reinterprets the memory contents of a double precision floating point - value as an integer value - - - Double precision floating point value whose memory contents to reinterpret - - - The memory contents of the double precision floating point value - interpreted as an integer - - - - - Reinterprets the memory contents of an integer as a floating point value - - Integer value whose memory contents to reinterpret - - The memory contents of the integer value interpreted as a floating point value - - - - - Reinterprets the memory contents of an integer value as a double precision - floating point value - - Integer whose memory contents to reinterpret - - The memory contents of the integer interpreted as a double precision - floating point value - - - - Union of a floating point variable and an integer - - - The union's value as a floating point variable - - - The union's value as an integer - - - The union's value as an unsigned integer - - - Union of a double precision floating point variable and a long - - - The union's value as a double precision floating point variable - - - The union's value as a long - - - The union's value as an unsigned long - - - - Tests whether a value is greater than the value supplied to its constructor - - - - - The value against which a comparison is to be made - - - - - Initializes a new instance of the class. - - The expected value. - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Tests whether a value is greater than or equal to the value supplied to its constructor - - - - - The value against which a comparison is to be made - - - - - Initializes a new instance of the class. - - The expected value. - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - InstanceOfTypeConstraint is used to test that an object - is of the same type provided or derived from it. - - - - - Construct an InstanceOfTypeConstraint for the type provided - - The expected Type - - - - Test whether an object is of the specified type or a derived type - - The object to be tested - True if the object is of the provided type or derives from it, otherwise false. - - - - Write a description of this constraint to a MessageWriter - - The MessageWriter to use - - - - Tests whether a value is less than the value supplied to its constructor - - - - - The value against which a comparison is to be made - - - - - Initializes a new instance of the class. - - The expected value. - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Tests whether a value is less than or equal to the value supplied to its constructor - - - - - The value against which a comparison is to be made - - - - - Initializes a new instance of the class. - - The expected value. - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Static methods used in creating messages - - - - - Static string used when strings are clipped - - - - - Returns the representation of a type as used in NUnitLite. - This is the same as Type.ToString() except for arrays, - which are displayed with their declared sizes. - - - - - - - Converts any control characters in a string - to their escaped representation. - - The string to be converted - The converted string - - - - Return the a string representation for a set of indices into an array - - Array of indices for which a string is needed - - - - Get an array of indices representing the point in a enumerable, - collection or array corresponding to a single int index into the - collection. - - The collection to which the indices apply - Index in the collection - Array of indices - - - - Clip a string to a given length, starting at a particular offset, returning the clipped - string with ellipses representing the removed parts - - The string to be clipped - The maximum permitted length of the result string - The point at which to start clipping - The clipped string - - - - Clip the expected and actual strings in a coordinated fashion, - so that they may be displayed together. - - - - - - - - - Shows the position two strings start to differ. Comparison - starts at the start index. - - The expected string - The actual string - The index in the strings at which comparison should start - Boolean indicating whether case should be ignored - -1 if no mismatch found, or the index where mismatch found - - - - NaNConstraint tests that the actual value is a double or float NaN - - - - - Test that the actual value is an NaN - - - - - - - Write the constraint description to a specified writer - - - - - - NoItemConstraint applies another constraint to each - item in a collection, failing if any of them succeeds. - - - - - Construct a NoItemConstraint on top of an existing constraint - - - - - - Apply the item constraint to each item in the collection, - failing if any item fails. - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - NotConstraint negates the effect of some other constraint - - - - - Initializes a new instance of the class. - - The base constraint to be negated. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for if the base constraint fails, false if it succeeds - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a MessageWriter. - - The writer on which the actual value is displayed - - - - NullConstraint tests that the actual value is null - - - - - Initializes a new instance of the class. - - - - - NullEmptyStringConstraint tests whether a string is either null or empty. - - - - - Constructs a new NullOrEmptyStringConstraint - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - The Numerics class contains common operations on numeric values. - - - - - Checks the type of the object, returning true if - the object is a numeric type. - - The object to check - true if the object is a numeric type - - - - Checks the type of the object, returning true if - the object is a floating point numeric type. - - The object to check - true if the object is a floating point numeric type - - - - Checks the type of the object, returning true if - the object is a fixed point numeric type. - - The object to check - true if the object is a fixed point numeric type - - - - Test two numeric values for equality, performing the usual numeric - conversions and using a provided or default tolerance. If the tolerance - provided is Empty, this method may set it to a default tolerance. - - The expected value - The actual value - A reference to the tolerance in effect - True if the values are equal - - - - Compare two numeric values, performing the usual numeric conversions. - - The expected value - The actual value - The relationship of the values to each other - - - - NUnitComparer encapsulates NUnit's default behavior - in comparing two objects. - - - - - Compares two objects - - - - - - - - Returns the default NUnitComparer. - - - - - Generic version of NUnitComparer - - - - - - Compare two objects of the same type - - - - - NUnitEqualityComparer encapsulates NUnit's handling of - equality tests between objects. - - - - - - - - - - Compares two objects for equality within a tolerance - - The first object to compare - The second object to compare - The tolerance to use in the comparison - - - - - If true, all string comparisons will ignore case - - - - - If true, arrays will be treated as collections, allowing - those of different dimensions to be compared - - - - - Comparison objects used in comparisons for some constraints. - - - - - List of points at which a failure occured. - - - - - RecursionDetector used to check for recursion when - evaluating self-referencing enumerables. - - - - - Compares two objects for equality within a tolerance, setting - the tolerance to the actual tolerance used if an empty - tolerance is supplied. - - - - - Helper method to compare two arrays - - - - - Method to compare two DirectoryInfo objects - - first directory to compare - second directory to compare - true if equivalent, false if not - - - - Returns the default NUnitEqualityComparer - - - - - Gets and sets a flag indicating whether case should - be ignored in determining equality. - - - - - Gets and sets a flag indicating that arrays should be - compared as collections, without regard to their shape. - - - - - Gets the list of external comparers to be used to - test for equality. They are applied to members of - collections, in place of NUnit's own logic. - - - - - Gets the list of failure points for the last Match performed. - The list consists of objects to be interpreted by the caller. - This generally means that the caller may only make use of - objects it has placed on the list at a particular depthy. - - - - - RecursionDetector detects when a comparison - between two enumerables has reached a point - where the same objects that were previously - compared are again being compared. This allows - the caller to stop the comparison if desired. - - - - - Check whether two objects have previously - been compared, returning true if they have. - The two objects are remembered, so that a - second call will always return true. - - - - - OrConstraint succeeds if either member succeeds - - - - - Create an OrConstraint from two other constraints - - The first constraint - The second constraint - - - - Apply the member constraints to an actual value, succeeding - succeeding as soon as one of them succeeds. - - The actual value - True if either constraint succeeded - - - - Write a description for this contraint to a MessageWriter - - The MessageWriter to receive the description - - - - PathConstraint serves as the abstract base of constraints - that operate on paths and provides several helper methods. - - - - - The expected path used in the constraint - - - - - Flag indicating whether a caseInsensitive comparison should be made - - - - - Construct a PathConstraint for a give expected path - - The expected path - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Returns true if the expected path and actual path match - - - - - Returns the string representation of this constraint - - - - - Transform the provided path to its canonical form so that it - may be more easily be compared with other paths. - - The original path - The path in canonical form - - - - Test whether one path in canonical form is under another. - - The first path - supposed to be the parent path - The second path - supposed to be the child path - Indicates whether case should be ignored - - - - - Modifies the current instance to be case-insensitve - and returns it. - - - - - Modifies the current instance to be case-sensitve - and returns it. - - - - - Predicate constraint wraps a Predicate in a constraint, - returning success if the predicate is true. - - - - - Construct a PredicateConstraint from a predicate - - - - - Determines whether the predicate succeeds when applied - to the actual value. - - - - - Writes the description to a MessageWriter - - - - - PropertyConstraint extracts a named property and uses - its value as the actual value for a chained constraint. - - - - - Initializes a new instance of the class. - - The name. - The constraint to apply to the property. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - Returns the string representation of the constraint. - - - - - - PropertyExistsConstraint tests that a named property - exists on the object provided through Match. - - Originally, PropertyConstraint provided this feature - in addition to making optional tests on the vaue - of the property. The two constraints are now separate. - - - - - Initializes a new instance of the class. - - The name of the property. - - - - Test whether the property exists for a given object - - The object to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. - - The writer on which the actual value is displayed - - - - Returns the string representation of the constraint. - - - - - - RangeConstraint tests whether two values are within a - specified range. - - - - - Initializes a new instance of the class. - - From. - To. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - RegexConstraint can test whether a string matches - the pattern provided. - - - - - Initializes a new instance of the class. - - The pattern. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - ResolvableConstraintExpression is used to represent a compound - constraint being constructed at a point where the last operator - may either terminate the expression or may have additional - qualifying constraints added to it. - - It is used, for example, for a Property element or for - an Exception element, either of which may be optionally - followed by constraints that apply to the property or - exception. - - - - - Create a new instance of ResolvableConstraintExpression - - - - - Create a new instance of ResolvableConstraintExpression, - passing in a pre-populated ConstraintBuilder. - - - - - Resolve the current expression to a Constraint - - - - - This operator creates a constraint that is satisfied only if both - argument constraints are satisfied. - - - - - This operator creates a constraint that is satisfied only if both - argument constraints are satisfied. - - - - - This operator creates a constraint that is satisfied only if both - argument constraints are satisfied. - - - - - This operator creates a constraint that is satisfied if either - of the argument constraints is satisfied. - - - - - This operator creates a constraint that is satisfied if either - of the argument constraints is satisfied. - - - - - This operator creates a constraint that is satisfied if either - of the argument constraints is satisfied. - - - - - This operator creates a constraint that is satisfied if the - argument constraint is not satisfied. - - - - - Appends an And Operator to the expression - - - - - Appends an Or operator to the expression. - - - - - ReusableConstraint wraps a constraint expression after - resolving it so that it can be reused consistently. - - - - - Construct a ReusableConstraint from a constraint expression - - The expression to be resolved and reused - - - - Converts a constraint to a ReusableConstraint - - The constraint to be converted - A ReusableConstraint - - - - Returns the string representation of the constraint. - - A string representing the constraint - - - - Resolves the ReusableConstraint by returning the constraint - that it originally wrapped. - - A resolved constraint - - - - SameAsConstraint tests whether an object is identical to - the object passed to its constructor - - - - - Initializes a new instance of the class. - - The expected object. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Summary description for SamePathConstraint. - - - - - Initializes a new instance of the class. - - The expected path - - - - Test whether the constraint is satisfied by a given value - - The expected path - The actual path - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - SamePathOrUnderConstraint tests that one path is under another - - - - - Initializes a new instance of the class. - - The expected path - - - - Test whether the constraint is satisfied by a given value - - The expected path - The actual path - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - SomeItemsConstraint applies another constraint to each - item in a collection, succeeding if any of them succeeds. - - - - - Construct a SomeItemsConstraint on top of an existing constraint - - - - - - Apply the item constraint to each item in the collection, - succeeding if any item succeeds. - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - StartsWithConstraint can test whether a string starts - with an expected substring. - - - - - Initializes a new instance of the class. - - The expected string - - - - Test whether the constraint is matched by the actual value. - This is a template method, which calls the IsMatch method - of the derived class. - - - - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - SubPathConstraint tests that the actual path is under the expected path - - - - - Initializes a new instance of the class. - - The expected path - - - - Test whether the constraint is satisfied by a given value - - The expected path - The actual path - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - SubstringConstraint can test whether a string contains - the expected substring. - - - - - Initializes a new instance of the class. - - The expected. - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - ThrowsConstraint is used to test the exception thrown by - a delegate by applying a constraint to it. - - - - - Initializes a new instance of the class, - using a constraint to be applied to the exception. - - A constraint to apply to the caught exception. - - - - Executes the code of the delegate and captures any exception. - If a non-null base constraint was provided, it applies that - constraint to the exception. - - A delegate representing the code to be tested - True if an exception is thrown and the constraint succeeds, otherwise false - - - - Converts an ActualValueDelegate to a TestDelegate - before calling the primary overload. - - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - Returns the string representation of this constraint - - - - - Get the actual exception thrown - used by Assert.Throws. - - - - - ThrowsNothingConstraint tests that a delegate does not - throw an exception. - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True if no exception is thrown, otherwise false - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. Overridden in ThrowsNothingConstraint to write - information about the exception that was actually caught. - - The writer on which the actual value is displayed - - - - The Tolerance class generalizes the notion of a tolerance - within which an equality test succeeds. Normally, it is - used with numeric types, but it can be used with any - type that supports taking a difference between two - objects and comparing that difference to a value. - - - - - Constructs a linear tolerance of a specdified amount - - - - - Constructs a tolerance given an amount and ToleranceMode - - - - - Tests that the current Tolerance is linear with a - numeric value, throwing an exception if it is not. - - - - - Returns an empty Tolerance object, equivalent to - specifying no tolerance. In most cases, it results - in an exact match but for floats and doubles a - default tolerance may be used. - - - - - Returns a zero Tolerance object, equivalent to - specifying an exact match. - - - - - Gets the ToleranceMode for the current Tolerance - - - - - Gets the value of the current Tolerance instance. - - - - - Returns a new tolerance, using the current amount as a percentage. - - - - - Returns a new tolerance, using the current amount in Ulps. - - - - - Returns a new tolerance with a TimeSpan as the amount, using - the current amount as a number of days. - - - - - Returns a new tolerance with a TimeSpan as the amount, using - the current amount as a number of hours. - - - - - Returns a new tolerance with a TimeSpan as the amount, using - the current amount as a number of minutes. - - - - - Returns a new tolerance with a TimeSpan as the amount, using - the current amount as a number of seconds. - - - - - Returns a new tolerance with a TimeSpan as the amount, using - the current amount as a number of milliseconds. - - - - - Returns a new tolerance with a TimeSpan as the amount, using - the current amount as a number of clock ticks. - - - - - Returns true if the current tolerance is empty. - - - - - Modes in which the tolerance value for a comparison can be interpreted. - - - - - The tolerance was created with a value, without specifying - how the value would be used. This is used to prevent setting - the mode more than once and is generally changed to Linear - upon execution of the test. - - - - - The tolerance is used as a numeric range within which - two compared values are considered to be equal. - - - - - Interprets the tolerance as the percentage by which - the two compared values my deviate from each other. - - - - - Compares two values based in their distance in - representable numbers. - - - - - TrueConstraint tests that the actual value is true - - - - - Initializes a new instance of the class. - - - - - UniqueItemsConstraint tests whether all the items in a - collection are unique. - - - - - Check that all items are unique. - - - - - - - Write a description of this constraint to a MessageWriter - - - - - - XmlSerializableConstraint tests whether - an object is serializable in XML format. - - - - - Test whether the constraint is satisfied by a given value - - The value to be tested - True for success, false for failure - - - - Write the constraint description to a MessageWriter - - The writer on which the description is displayed - - - - Write the actual value for a failing constraint test to a - MessageWriter. The default implementation simply writes - the raw value of actual, leaving it to the writer to - perform any formatting. - - The writer on which the actual value is displayed - - - - Returns the string representation of this constraint - - - - - Represents a constraint that succeeds if all the - members of a collection match a base constraint. - - - - - Abstract base for operators that indicate how to - apply a constraint to items in a collection. - - - - - PrefixOperator takes a single constraint and modifies - it's action in some way. - - - - - The ConstraintOperator class is used internally by a - ConstraintBuilder to represent an operator that - modifies or combines constraints. - - Constraint operators use left and right precedence - values to determine whether the top operator on the - stack should be reduced before pushing a new operator. - - - - - The precedence value used when the operator - is about to be pushed to the stack. - - - - - The precedence value used when the operator - is on the top of the stack. - - - - - Reduce produces a constraint from the operator and - any arguments. It takes the arguments from the constraint - stack and pushes the resulting constraint on it. - - - - - - The syntax element preceding this operator - - - - - The syntax element folowing this operator - - - - - The precedence value used when the operator - is about to be pushed to the stack. - - - - - The precedence value used when the operator - is on the top of the stack. - - - - - Reduce produces a constraint from the operator and - any arguments. It takes the arguments from the constraint - stack and pushes the resulting constraint on it. - - - - - - Returns the constraint created by applying this - prefix to another constraint. - - - - - - - Constructs a CollectionOperator - - - - - Returns a constraint that will apply the argument - to the members of a collection, succeeding if - they all succeed. - - - - - Operator that requires both it's arguments to succeed - - - - - Abstract base class for all binary operators - - - - - Reduce produces a constraint from the operator and - any arguments. It takes the arguments from the constraint - stack and pushes the resulting constraint on it. - - - - - - Abstract method that produces a constraint by applying - the operator to its left and right constraint arguments. - - - - - Gets the left precedence of the operator - - - - - Gets the right precedence of the operator - - - - - Construct an AndOperator - - - - - Apply the operator to produce an AndConstraint - - - - - Operator that tests for the presence of a particular attribute - on a type and optionally applies further tests to the attribute. - - - - - Abstract base class for operators that are able to reduce to a - constraint whether or not another syntactic element follows. - - - - - Construct an AttributeOperator for a particular Type - - The Type of attribute tested - - - - Reduce produces a constraint from the operator and - any arguments. It takes the arguments from the constraint - stack and pushes the resulting constraint on it. - - - - - Represents a constraint that succeeds if the specified - count of members of a collection match a base constraint. - - - - - Construct an ExactCountOperator for a specified count - - The expected count - - - - Returns a constraint that will apply the argument - to the members of a collection, succeeding if - none of them succeed. - - - - - Represents a constraint that succeeds if none of the - members of a collection match a base constraint. - - - - - Returns a constraint that will apply the argument - to the members of a collection, succeeding if - none of them succeed. - - - - - Negates the test of the constraint it wraps. - - - - - Constructs a new NotOperator - - - - - Returns a NotConstraint applied to its argument. - - - - - Operator that requires at least one of it's arguments to succeed - - - - - Construct an OrOperator - - - - - Apply the operator to produce an OrConstraint - - - - - Operator used to test for the presence of a named Property - on an object and optionally apply further tests to the - value of that property. - - - - - Constructs a PropOperator for a particular named property - - - - - Reduce produces a constraint from the operator and - any arguments. It takes the arguments from the constraint - stack and pushes the resulting constraint on it. - - - - - - Gets the name of the property to which the operator applies - - - - - Represents a constraint that succeeds if any of the - members of a collection match a base constraint. - - - - - Returns a constraint that will apply the argument - to the members of a collection, succeeding if - any of them succeed. - - - - - Operator that tests that an exception is thrown and - optionally applies further tests to the exception. - - - - - Construct a ThrowsOperator - - - - - Reduce produces a constraint from the operator and - any arguments. It takes the arguments from the constraint - stack and pushes the resulting constraint on it. - - - - - Represents a constraint that simply wraps the - constraint provided as an argument, without any - further functionality, but which modifes the - order of evaluation because of its precedence. - - - - - Constructor for the WithOperator - - - - - Returns a constraint that wraps its argument - - - - - Thrown when an assertion failed. - - - - The error message that explains - the reason for the exception - - - The error message that explains - the reason for the exception - The exception that caused the - current exception - - - - Serialization Constructor - - - - - Thrown when an assertion failed. - - - - - - - The error message that explains - the reason for the exception - The exception that caused the - current exception - - - - Serialization Constructor - - - - - Thrown when a test executes inconclusively. - - - - The error message that explains - the reason for the exception - - - The error message that explains - the reason for the exception - The exception that caused the - current exception - - - - Serialization Constructor - - - - - Thrown when an assertion failed. - - - - - - - The error message that explains - the reason for the exception - The exception that caused the - current exception - - - - Serialization Constructor - - - - - - - - - - - Compares two objects of a given Type for equality within a tolerance - - The first object to compare - The second object to compare - The tolerance to use in the comparison - - - - diff --git a/packages/NUnit.2.6.3/license.txt b/packages/NUnit.2.6.3/license.txt deleted file mode 100644 index b12903a..0000000 --- a/packages/NUnit.2.6.3/license.txt +++ /dev/null @@ -1,15 +0,0 @@ -Copyright 2002-2013 Charlie Poole -Copyright 2002-2004 James W. Newkirk, Michael C. Two, Alexei A. Vorontsov -Copyright 2000-2002 Philip A. Craig - -This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. - -Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: - -1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment (see the following) in the product documentation is required. - -Portions Copyright 2002-2013 Charlie Poole or Copyright 2002-2004 James W. Newkirk, Michael C. Two, Alexei A. Vorontsov or Copyright 2000-2002 Philip A. Craig - -2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. - -3. This notice may not be removed or altered from any source distribution. diff --git a/packages/NUnit.Runners.2.6.3/NUnit.Runners.2.6.3.nupkg b/packages/NUnit.Runners.2.6.3/NUnit.Runners.2.6.3.nupkg deleted file mode 100644 index 80f6d93..0000000 Binary files a/packages/NUnit.Runners.2.6.3/NUnit.Runners.2.6.3.nupkg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/license.txt b/packages/NUnit.Runners.2.6.3/license.txt deleted file mode 100644 index b12903a..0000000 --- a/packages/NUnit.Runners.2.6.3/license.txt +++ /dev/null @@ -1,15 +0,0 @@ -Copyright 2002-2013 Charlie Poole -Copyright 2002-2004 James W. Newkirk, Michael C. Two, Alexei A. Vorontsov -Copyright 2000-2002 Philip A. Craig - -This software is provided 'as-is', without any express or implied warranty. In no event will the authors be held liable for any damages arising from the use of this software. - -Permission is granted to anyone to use this software for any purpose, including commercial applications, and to alter it and redistribute it freely, subject to the following restrictions: - -1. The origin of this software must not be misrepresented; you must not claim that you wrote the original software. If you use this software in a product, an acknowledgment (see the following) in the product documentation is required. - -Portions Copyright 2002-2013 Charlie Poole or Copyright 2002-2004 James W. Newkirk, Michael C. Two, Alexei A. Vorontsov or Copyright 2000-2002 Philip A. Craig - -2. Altered source versions must be plainly marked as such, and must not be misrepresented as being the original software. - -3. This notice may not be removed or altered from any source distribution. diff --git a/packages/NUnit.Runners.2.6.3/tools/agent.conf b/packages/NUnit.Runners.2.6.3/tools/agent.conf deleted file mode 100644 index ddbcd8e..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/agent.conf +++ /dev/null @@ -1,4 +0,0 @@ - - 8080 - . - \ No newline at end of file diff --git a/packages/NUnit.Runners.2.6.3/tools/agent.log.conf b/packages/NUnit.Runners.2.6.3/tools/agent.log.conf deleted file mode 100644 index b5bcd9d..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/agent.log.conf +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - - - - - - - - - - - diff --git a/packages/NUnit.Runners.2.6.3/tools/launcher.log.conf b/packages/NUnit.Runners.2.6.3/tools/launcher.log.conf deleted file mode 100644 index b5bcd9d..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/launcher.log.conf +++ /dev/null @@ -1,18 +0,0 @@ - - - - - - - - - - - - - - - - - - diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Failure.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Failure.jpg deleted file mode 100644 index c245548..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Failure.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Ignored.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Ignored.jpg deleted file mode 100644 index 0549b70..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Ignored.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Inconclusive.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Inconclusive.jpg deleted file mode 100644 index 8d36153..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Inconclusive.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Skipped.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Skipped.jpg deleted file mode 100644 index 3d84255..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Skipped.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Success.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Success.jpg deleted file mode 100644 index 15ec1b7..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Circles/Success.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Failure.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Failure.jpg deleted file mode 100644 index 658905f..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Failure.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Ignored.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Ignored.jpg deleted file mode 100644 index 95b7fdb..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Ignored.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Inconclusive.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Inconclusive.jpg deleted file mode 100644 index 32a0ff7..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Inconclusive.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Skipped.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Skipped.jpg deleted file mode 100644 index 3d84255..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Skipped.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Success.jpg b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Success.jpg deleted file mode 100644 index 3d8e760..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Classic/Success.jpg and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Failure.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Failure.png deleted file mode 100644 index 2e400b2..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Failure.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Ignored.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Ignored.png deleted file mode 100644 index 05715cb..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Ignored.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Inconclusive.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Inconclusive.png deleted file mode 100644 index 4807b7c..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Inconclusive.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Skipped.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Skipped.png deleted file mode 100644 index 7c9fc64..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Skipped.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Success.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Success.png deleted file mode 100644 index 2a30150..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Default/Success.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Failure.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Failure.png deleted file mode 100644 index ba03e84..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Failure.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Ignored.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Ignored.png deleted file mode 100644 index 9271d6e..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Ignored.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Inconclusive.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Inconclusive.png deleted file mode 100644 index 76219b5..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Inconclusive.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/SeriousWarning.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/SeriousWarning.png deleted file mode 100644 index 6a578cc..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/SeriousWarning.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Skipped.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Skipped.png deleted file mode 100644 index 7c9fc64..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Skipped.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Success.png b/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Success.png deleted file mode 100644 index 346fe8f..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/Images/Tree/Visual Studio/Success.png and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/log4net.dll b/packages/NUnit.Runners.2.6.3/tools/lib/log4net.dll deleted file mode 100644 index 20a2e1c..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/log4net.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit-console-runner.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit-console-runner.dll deleted file mode 100644 index a2a21ce..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit-console-runner.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit-gui-runner.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit-gui-runner.dll deleted file mode 100644 index 7161b97..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit-gui-runner.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.core.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit.core.dll deleted file mode 100644 index b306fae..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.core.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.core.interfaces.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit.core.interfaces.dll deleted file mode 100644 index 4053b0d..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.core.interfaces.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.uiexception.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit.uiexception.dll deleted file mode 100644 index 34f2f4e..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.uiexception.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.uikit.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit.uikit.dll deleted file mode 100644 index d93d8ca..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.uikit.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.util.dll b/packages/NUnit.Runners.2.6.3/tools/lib/nunit.util.dll deleted file mode 100644 index 122eff4..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/lib/nunit.util.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-agent-x86.exe b/packages/NUnit.Runners.2.6.3/tools/nunit-agent-x86.exe deleted file mode 100644 index fe0d719..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit-agent-x86.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-agent-x86.exe.config b/packages/NUnit.Runners.2.6.3/tools/nunit-agent-x86.exe.config deleted file mode 100644 index de2caf6..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/nunit-agent-x86.exe.config +++ /dev/null @@ -1,37 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-agent.exe b/packages/NUnit.Runners.2.6.3/tools/nunit-agent.exe deleted file mode 100644 index 6f057bc..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit-agent.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-agent.exe.config b/packages/NUnit.Runners.2.6.3/tools/nunit-agent.exe.config deleted file mode 100644 index de2caf6..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/nunit-agent.exe.config +++ /dev/null @@ -1,37 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-console-x86.exe b/packages/NUnit.Runners.2.6.3/tools/nunit-console-x86.exe deleted file mode 100644 index c71d21f..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit-console-x86.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-console-x86.exe.config b/packages/NUnit.Runners.2.6.3/tools/nunit-console-x86.exe.config deleted file mode 100644 index 81e5346..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/nunit-console-x86.exe.config +++ /dev/null @@ -1,24 +0,0 @@ - - - - - - - - - - - - - - - - - diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-console.exe b/packages/NUnit.Runners.2.6.3/tools/nunit-console.exe deleted file mode 100644 index 8d65c82..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit-console.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-console.exe.config b/packages/NUnit.Runners.2.6.3/tools/nunit-console.exe.config deleted file mode 100644 index 81e5346..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/nunit-console.exe.config +++ /dev/null @@ -1,24 +0,0 @@ - - - - - - - - - - - - - - - - - diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-editor.exe b/packages/NUnit.Runners.2.6.3/tools/nunit-editor.exe deleted file mode 100644 index 640a253..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit-editor.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-x86.exe b/packages/NUnit.Runners.2.6.3/tools/nunit-x86.exe deleted file mode 100644 index bd77b81..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit-x86.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit-x86.exe.config b/packages/NUnit.Runners.2.6.3/tools/nunit-x86.exe.config deleted file mode 100644 index 9301f94..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/nunit-x86.exe.config +++ /dev/null @@ -1,23 +0,0 @@ - - - - - - - - - - - - - - - - - diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit.exe b/packages/NUnit.Runners.2.6.3/tools/nunit.exe deleted file mode 100644 index 5cd35b9..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit.exe.config b/packages/NUnit.Runners.2.6.3/tools/nunit.exe.config deleted file mode 100644 index 9301f94..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/nunit.exe.config +++ /dev/null @@ -1,23 +0,0 @@ - - - - - - - - - - - - - - - - - diff --git a/packages/NUnit.Runners.2.6.3/tools/nunit.framework.dll b/packages/NUnit.Runners.2.6.3/tools/nunit.framework.dll deleted file mode 100644 index 780727f..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/nunit.framework.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/pnunit-agent.exe b/packages/NUnit.Runners.2.6.3/tools/pnunit-agent.exe deleted file mode 100644 index 9ec9da0..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/pnunit-agent.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/pnunit-agent.exe.config b/packages/NUnit.Runners.2.6.3/tools/pnunit-agent.exe.config deleted file mode 100644 index c1516ef..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/pnunit-agent.exe.config +++ /dev/null @@ -1,77 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/packages/NUnit.Runners.2.6.3/tools/pnunit-launcher.exe b/packages/NUnit.Runners.2.6.3/tools/pnunit-launcher.exe deleted file mode 100644 index edc56d3..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/pnunit-launcher.exe and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/pnunit-launcher.exe.config b/packages/NUnit.Runners.2.6.3/tools/pnunit-launcher.exe.config deleted file mode 100644 index c1516ef..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/pnunit-launcher.exe.config +++ /dev/null @@ -1,77 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - \ No newline at end of file diff --git a/packages/NUnit.Runners.2.6.3/tools/pnunit.framework.dll b/packages/NUnit.Runners.2.6.3/tools/pnunit.framework.dll deleted file mode 100644 index 573b9fc..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/pnunit.framework.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/pnunit.tests.dll b/packages/NUnit.Runners.2.6.3/tools/pnunit.tests.dll deleted file mode 100644 index 7051add..0000000 Binary files a/packages/NUnit.Runners.2.6.3/tools/pnunit.tests.dll and /dev/null differ diff --git a/packages/NUnit.Runners.2.6.3/tools/runpnunit.bat b/packages/NUnit.Runners.2.6.3/tools/runpnunit.bat deleted file mode 100644 index 43b3a69..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/runpnunit.bat +++ /dev/null @@ -1,3 +0,0 @@ -start pnunit-agent 8080 . -start pnunit-agent 8081 . -pnunit-launcher test.conf diff --git a/packages/NUnit.Runners.2.6.3/tools/test.conf b/packages/NUnit.Runners.2.6.3/tools/test.conf deleted file mode 100644 index ce825eb..0000000 --- a/packages/NUnit.Runners.2.6.3/tools/test.conf +++ /dev/null @@ -1,82 +0,0 @@ - - - - - - - - - - - Testing - - - Testing - pnunit.tests.dll - TestLibraries.Testing.EqualTo19 - $agent_host:8080 - - - - - - - Parallel_Tests - - - ParallelTest_A_Test - pnunit.tests.dll - TestLibraries.ParallelExample.ParallelTest_A - $agent_host:8080 - - - 2 - - - - ParallelTest_B_Test - pnunit.tests.dll - TestLibraries.ParallelExample.ParallelTest_B - $agent_host:8080 - - 1 - - - - - - - - - Parallel_Barriers - - - Parallel_Barriers_TestA - pnunit.tests.dll - TestLibraries.ParallelExampleWithBarriers.ParallelTestWithBarriersA - $agent_host:8080 - - - - START_BARRIER - WAIT_BARRIER - - - - Parallel_Barriers_TestB - pnunit.tests.dll - TestLibraries.ParallelExampleWithBarriers.ParallelTestWithBarriersB - $agent_host:8081 - - - - START_BARRIER - WAIT_BARRIER - - - - - - - - \ No newline at end of file diff --git a/packages/Newtonsoft.Json.6.0.4/Newtonsoft.Json.6.0.4.nupkg b/packages/Newtonsoft.Json.6.0.4/Newtonsoft.Json.6.0.4.nupkg deleted file mode 100644 index 0ba67a7..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/Newtonsoft.Json.6.0.4.nupkg and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net20/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/net20/Newtonsoft.Json.dll deleted file mode 100644 index 725b1c2..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/net20/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net20/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/net20/Newtonsoft.Json.xml deleted file mode 100644 index 8dd1d9b..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/net20/Newtonsoft.Json.xml +++ /dev/null @@ -1,9108 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a binary value to and from a base 64 string value. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Represents a trace writer that writes to the application's instances. - - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Provides a set of static (Shared in Visual Basic) methods for - querying objects that implement . - - - - - Returns the input typed as . - - - - - Returns an empty that has the - specified type argument. - - - - - Converts the elements of an to the - specified type. - - - - - Filters the elements of an based on a specified type. - - - - - Generates a sequence of integral numbers within a specified range. - - The value of the first integer in the sequence. - The number of sequential integers to generate. - - - - Generates a sequence that contains one repeated value. - - - - - Filters a sequence of values based on a predicate. - - - - - Filters a sequence of values based on a predicate. - Each element's index is used in the logic of the predicate function. - - - - - Projects each element of a sequence into a new form. - - - - - Projects each element of a sequence into a new form by - incorporating the element's index. - - - - - Projects each element of a sequence to an - and flattens the resulting sequences into one sequence. - - - - - Projects each element of a sequence to an , - and flattens the resulting sequences into one sequence. The - index of each source element is used in the projected form of - that element. - - - - - Projects each element of a sequence to an , - flattens the resulting sequences into one sequence, and invokes - a result selector function on each element therein. - - - - - Projects each element of a sequence to an , - flattens the resulting sequences into one sequence, and invokes - a result selector function on each element therein. The index of - each source element is used in the intermediate projected form - of that element. - - - - - Returns elements from a sequence as long as a specified condition is true. - - - - - Returns elements from a sequence as long as a specified condition is true. - The element's index is used in the logic of the predicate function. - - - - - Base implementation of First operator. - - - - - Returns the first element of a sequence. - - - - - Returns the first element in a sequence that satisfies a specified condition. - - - - - Returns the first element of a sequence, or a default value if - the sequence contains no elements. - - - - - Returns the first element of the sequence that satisfies a - condition or a default value if no such element is found. - - - - - Base implementation of Last operator. - - - - - Returns the last element of a sequence. - - - - - Returns the last element of a sequence that satisfies a - specified condition. - - - - - Returns the last element of a sequence, or a default value if - the sequence contains no elements. - - - - - Returns the last element of a sequence that satisfies a - condition or a default value if no such element is found. - - - - - Base implementation of Single operator. - - - - - Returns the only element of a sequence, and throws an exception - if there is not exactly one element in the sequence. - - - - - Returns the only element of a sequence that satisfies a - specified condition, and throws an exception if more than one - such element exists. - - - - - Returns the only element of a sequence, or a default value if - the sequence is empty; this method throws an exception if there - is more than one element in the sequence. - - - - - Returns the only element of a sequence that satisfies a - specified condition or a default value if no such element - exists; this method throws an exception if more than one element - satisfies the condition. - - - - - Returns the element at a specified index in a sequence. - - - - - Returns the element at a specified index in a sequence or a - default value if the index is out of range. - - - - - Inverts the order of the elements in a sequence. - - - - - Returns a specified number of contiguous elements from the start - of a sequence. - - - - - Bypasses a specified number of elements in a sequence and then - returns the remaining elements. - - - - - Bypasses elements in a sequence as long as a specified condition - is true and then returns the remaining elements. - - - - - Bypasses elements in a sequence as long as a specified condition - is true and then returns the remaining elements. The element's - index is used in the logic of the predicate function. - - - - - Returns the number of elements in a sequence. - - - - - Returns a number that represents how many elements in the - specified sequence satisfy a condition. - - - - - Returns an that represents the total number - of elements in a sequence. - - - - - Returns an that represents how many elements - in a sequence satisfy a condition. - - - - - Concatenates two sequences. - - - - - Creates a from an . - - - - - Creates an array from an . - - - - - Returns distinct elements from a sequence by using the default - equality comparer to compare values. - - - - - Returns distinct elements from a sequence by using a specified - to compare values. - - - - - Creates a from an - according to a specified key - selector function. - - - - - Creates a from an - according to a specified key - selector function and a key comparer. - - - - - Creates a from an - according to specified key - and element selector functions. - - - - - Creates a from an - according to a specified key - selector function, a comparer and an element selector function. - - - - - Groups the elements of a sequence according to a specified key - selector function. - - - - - Groups the elements of a sequence according to a specified key - selector function and compares the keys by using a specified - comparer. - - - - - Groups the elements of a sequence according to a specified key - selector function and projects the elements for each group by - using a specified function. - - - - - Groups the elements of a sequence according to a specified key - selector function and creates a result value from each group and - its key. - - - - - Groups the elements of a sequence according to a key selector - function. The keys are compared by using a comparer and each - group's elements are projected by using a specified function. - - - - - Groups the elements of a sequence according to a specified key - selector function and creates a result value from each group and - its key. The elements of each group are projected by using a - specified function. - - - - - Groups the elements of a sequence according to a specified key - selector function and creates a result value from each group and - its key. The keys are compared by using a specified comparer. - - - - - Groups the elements of a sequence according to a specified key - selector function and creates a result value from each group and - its key. Key values are compared by using a specified comparer, - and the elements of each group are projected by using a - specified function. - - - - - Applies an accumulator function over a sequence. - - - - - Applies an accumulator function over a sequence. The specified - seed value is used as the initial accumulator value. - - - - - Applies an accumulator function over a sequence. The specified - seed value is used as the initial accumulator value, and the - specified function is used to select the result value. - - - - - Produces the set union of two sequences by using the default - equality comparer. - - - - - Produces the set union of two sequences by using a specified - . - - - - - Returns the elements of the specified sequence or the type - parameter's default value in a singleton collection if the - sequence is empty. - - - - - Returns the elements of the specified sequence or the specified - value in a singleton collection if the sequence is empty. - - - - - Determines whether all elements of a sequence satisfy a condition. - - - - - Determines whether a sequence contains any elements. - - - - - Determines whether any element of a sequence satisfies a - condition. - - - - - Determines whether a sequence contains a specified element by - using the default equality comparer. - - - - - Determines whether a sequence contains a specified element by - using a specified . - - - - - Determines whether two sequences are equal by comparing the - elements by using the default equality comparer for their type. - - - - - Determines whether two sequences are equal by comparing their - elements by using a specified . - - - - - Base implementation for Min/Max operator. - - - - - Base implementation for Min/Max operator for nullable types. - - - - - Returns the minimum value in a generic sequence. - - - - - Invokes a transform function on each element of a generic - sequence and returns the minimum resulting value. - - - - - Returns the maximum value in a generic sequence. - - - - - Invokes a transform function on each element of a generic - sequence and returns the maximum resulting value. - - - - - Makes an enumerator seen as enumerable once more. - - - The supplied enumerator must have been started. The first element - returned is the element the enumerator was on when passed in. - DO NOT use this method if the caller must be a generator. It is - mostly safe among aggregate operations. - - - - - Sorts the elements of a sequence in ascending order according to a key. - - - - - Sorts the elements of a sequence in ascending order by using a - specified comparer. - - - - - Sorts the elements of a sequence in descending order according to a key. - - - - - Sorts the elements of a sequence in descending order by using a - specified comparer. - - - - - Performs a subsequent ordering of the elements in a sequence in - ascending order according to a key. - - - - - Performs a subsequent ordering of the elements in a sequence in - ascending order by using a specified comparer. - - - - - Performs a subsequent ordering of the elements in a sequence in - descending order, according to a key. - - - - - Performs a subsequent ordering of the elements in a sequence in - descending order by using a specified comparer. - - - - - Base implementation for Intersect and Except operators. - - - - - Produces the set intersection of two sequences by using the - default equality comparer to compare values. - - - - - Produces the set intersection of two sequences by using the - specified to compare values. - - - - - Produces the set difference of two sequences by using the - default equality comparer to compare values. - - - - - Produces the set difference of two sequences by using the - specified to compare values. - - - - - Creates a from an - according to a specified key - selector function. - - - - - Creates a from an - according to a specified key - selector function and key comparer. - - - - - Creates a from an - according to specified key - selector and element selector functions. - - - - - Creates a from an - according to a specified key - selector function, a comparer, and an element selector function. - - - - - Correlates the elements of two sequences based on matching keys. - The default equality comparer is used to compare keys. - - - - - Correlates the elements of two sequences based on matching keys. - The default equality comparer is used to compare keys. A - specified is used to compare keys. - - - - - Correlates the elements of two sequences based on equality of - keys and groups the results. The default equality comparer is - used to compare keys. - - - - - Correlates the elements of two sequences based on equality of - keys and groups the results. The default equality comparer is - used to compare keys. A specified - is used to compare keys. - - - - - Computes the sum of a sequence of nullable values. - - - - - Computes the sum of a sequence of nullable - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of nullable values. - - - - - Computes the average of a sequence of nullable values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Computes the sum of a sequence of values. - - - - - Computes the sum of a sequence of - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of values. - - - - - Computes the average of a sequence of values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Returns the minimum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the minimum nullable value. - - - - - Returns the maximum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the maximum nullable value. - - - - - Computes the sum of a sequence of nullable values. - - - - - Computes the sum of a sequence of nullable - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of nullable values. - - - - - Computes the average of a sequence of nullable values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Computes the sum of a sequence of values. - - - - - Computes the sum of a sequence of - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of values. - - - - - Computes the average of a sequence of values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Returns the minimum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the minimum nullable value. - - - - - Returns the maximum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the maximum nullable value. - - - - - Computes the sum of a sequence of nullable values. - - - - - Computes the sum of a sequence of nullable - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of nullable values. - - - - - Computes the average of a sequence of nullable values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Computes the sum of a sequence of values. - - - - - Computes the sum of a sequence of - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of values. - - - - - Computes the average of a sequence of values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Returns the minimum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the minimum nullable value. - - - - - Returns the maximum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the maximum nullable value. - - - - - Computes the sum of a sequence of nullable values. - - - - - Computes the sum of a sequence of nullable - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of nullable values. - - - - - Computes the average of a sequence of nullable values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Computes the sum of a sequence of values. - - - - - Computes the sum of a sequence of - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of values. - - - - - Computes the average of a sequence of values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Returns the minimum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the minimum nullable value. - - - - - Returns the maximum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the maximum nullable value. - - - - - Computes the sum of a sequence of nullable values. - - - - - Computes the sum of a sequence of nullable - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of nullable values. - - - - - Computes the average of a sequence of nullable values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Computes the sum of a sequence of values. - - - - - Computes the sum of a sequence of - values that are obtained by invoking a transform function on - each element of the input sequence. - - - - - Computes the average of a sequence of values. - - - - - Computes the average of a sequence of values - that are obtained by invoking a transform function on each - element of the input sequence. - - - - - Returns the minimum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the minimum nullable value. - - - - - Returns the maximum value in a sequence of nullable - values. - - - - - Invokes a transform function on each element of a sequence and - returns the maximum nullable value. - - - - - Represents a collection of objects that have a common key. - - - - - Gets the key of the . - - - - - Defines an indexer, size property, and Boolean search method for - data structures that map keys to - sequences of values. - - - - - Represents a sorted sequence. - - - - - Performs a subsequent ordering on the elements of an - according to a key. - - - - - Represents a collection of keys each mapped to one or more values. - - - - - Determines whether a specified key is in the . - - - - - Applies a transform function to each key and its associated - values and returns the results. - - - - - Returns a generic enumerator that iterates through the . - - - - - Gets the number of key/value collection pairs in the . - - - - - Gets the collection of values indexed by the specified key. - - - - - See issue #11 - for why this method is needed and cannot be expressed as a - lambda at the call site. - - - - - See issue #11 - for why this method is needed and cannot be expressed as a - lambda at the call site. - - - - - This attribute allows us to define extension methods without - requiring .NET Framework 3.5. For more information, see the section, - Extension Methods in .NET Framework 2.0 Apps, - of Basic Instincts: Extension Methods - column in MSDN Magazine, - issue Nov 2007. - - - - - Represents a view of a . - - - - - Initializes a new instance of the class. - - The name. - - - - When overridden in a derived class, returns whether resetting an object changes its value. - - - true if resetting the component changes its value; otherwise, false. - - The component to test for reset capability. - - - - - When overridden in a derived class, gets the current value of the property on a component. - - - The value of a property for a given component. - - The component with the property for which to retrieve the value. - - - - - When overridden in a derived class, resets the value for this property of the component to the default value. - - The component with the property value that is to be reset to the default value. - - - - - When overridden in a derived class, sets the value of the component to a different value. - - The component with the property value that is to be set. - The new value. - - - - - When overridden in a derived class, determines a value indicating whether the value of this property needs to be persisted. - - - true if the property should be persisted; otherwise, false. - - The component with the property to be examined for persistence. - - - - - When overridden in a derived class, gets the type of the component this property is bound to. - - - A that represents the type of component this property is bound to. When the or methods are invoked, the object specified might be an instance of this type. - - - - - When overridden in a derived class, gets a value indicating whether this property is read-only. - - - true if the property is read-only; otherwise, false. - - - - - When overridden in a derived class, gets the type of the property. - - - A that represents the type of the property. - - - - - Gets the hash code for the name of the member. - - - - The hash code for the name of the member. - - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Represents an abstract JSON token. - - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts XML to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The calling serializer. - The value. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Checks if the attributeName is a namespace attribute. - - Attribute name to test. - The attribute name prefix if it has one, otherwise an empty string. - True if attribute name is for a namespace attribute, otherwise false. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Gets or sets the name of the root element to insert when deserializing to XML if the JSON structure has produces multiple root elements. - - The name of the deserialize root element. - - - - Gets or sets a flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - true if the array attibute is written to the XML; otherwise, false. - - - - Gets or sets a value indicating whether to write the root JSON object. - - true if the JSON root object is omitted; otherwise, false. - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Represents a collection of . - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Serializes the XML node to a JSON string. - - The node to serialize. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting. - - The node to serialize. - Indicates how the output is formatted. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XmlNode. - - - - Deserializes the XmlNode from a JSON string. - - The JSON string. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XmlNode - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a JSON constructor. - - - - - Represents a token that can contain other tokens. - - - - - Raises the event. - - The instance containing the event data. - - - - Raises the event. - - The instance containing the event data. - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Occurs when the list changes or an item in the list changes. - - - - - Occurs before an item is added to the collection. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Returns the properties for this instance of a component. - - - A that represents the properties for this component instance. - - - - - Returns the properties for this instance of a component using the attribute array as a filter. - - An array of type that is used as a filter. - - A that represents the filtered properties for this component instance. - - - - - Returns a collection of custom attributes for this instance of a component. - - - An containing the attributes for this object. - - - - - Returns the class name of this instance of a component. - - - The class name of the object, or null if the class does not have a name. - - - - - Returns the name of this instance of a component. - - - The name of the object, or null if the object does not have a name. - - - - - Returns a type converter for this instance of a component. - - - A that is the converter for this object, or null if there is no for this object. - - - - - Returns the default event for this instance of a component. - - - An that represents the default event for this object, or null if this object does not have events. - - - - - Returns the default property for this instance of a component. - - - A that represents the default property for this object, or null if this object does not have properties. - - - - - Returns an editor of the specified type for this instance of a component. - - A that represents the editor for this object. - - An of the specified type that is the editor for this object, or null if the editor cannot be found. - - - - - Returns the events for this instance of a component using the specified attribute array as a filter. - - An array of type that is used as a filter. - - An that represents the filtered events for this component instance. - - - - - Returns the events for this instance of a component. - - - An that represents the events for this component instance. - - - - - Returns an object that contains the property described by the specified property descriptor. - - A that represents the property whose owner is to be found. - - An that represents the owner of the specified property. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Represents a JSON array. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets the default members search flags. - - The default members search flags. - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the interface when serializing and deserializing types. - - - true if the interface will be ignored when serializing and deserializing types; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the attribute when serializing and deserializing types. - - - true if the attribute will be ignored when serializing and deserializing types; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - Get and set values for a using dynamic methods. - - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the ISerializable object constructor. - - The ISerializable object constructor. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Represents a method that constructs an object. - - The object type to create. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net35/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/net35/Newtonsoft.Json.dll deleted file mode 100644 index 6bc6b88..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/net35/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net35/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/net35/Newtonsoft.Json.xml deleted file mode 100644 index b94d3cd..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/net35/Newtonsoft.Json.xml +++ /dev/null @@ -1,8251 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - - A . This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Converts a binary value to and from a base 64 string value. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an Entity Framework EntityKey to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Represents a view of a . - - - - - Initializes a new instance of the class. - - The name. - - - - When overridden in a derived class, returns whether resetting an object changes its value. - - - true if resetting the component changes its value; otherwise, false. - - The component to test for reset capability. - - - - - When overridden in a derived class, gets the current value of the property on a component. - - - The value of a property for a given component. - - The component with the property for which to retrieve the value. - - - - - When overridden in a derived class, resets the value for this property of the component to the default value. - - The component with the property value that is to be reset to the default value. - - - - - When overridden in a derived class, sets the value of the component to a different value. - - The component with the property value that is to be set. - The new value. - - - - - When overridden in a derived class, determines a value indicating whether the value of this property needs to be persisted. - - - true if the property should be persisted; otherwise, false. - - The component with the property to be examined for persistence. - - - - - When overridden in a derived class, gets the type of the component this property is bound to. - - - A that represents the type of component this property is bound to. When the or methods are invoked, the object specified might be an instance of this type. - - - - - When overridden in a derived class, gets a value indicating whether this property is read-only. - - - true if the property is read-only; otherwise, false. - - - - - When overridden in a derived class, gets the type of the property. - - - A that represents the type of the property. - - - - - Gets the hash code for the name of the member. - - - - The hash code for the name of the member. - - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Represents a trace writer that writes to the application's instances. - - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Represents an abstract JSON token. - - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the ISerializable object constructor. - - The ISerializable object constructor. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Get and set values for a using dynamic methods. - - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts XML to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The calling serializer. - The value. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Checks if the attributeName is a namespace attribute. - - Attribute name to test. - The attribute name prefix if it has one, otherwise an empty string. - True if attribute name is for a namespace attribute, otherwise false. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Gets or sets the name of the root element to insert when deserializing to XML if the JSON structure has produces multiple root elements. - - The name of the deserialize root element. - - - - Gets or sets a flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - true if the array attibute is written to the XML; otherwise, false. - - - - Gets or sets a value indicating whether to write the root JSON object. - - true if the JSON root object is omitted; otherwise, false. - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Represents a collection of . - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Serializes the XML node to a JSON string. - - The node to serialize. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting. - - The node to serialize. - Indicates how the output is formatted. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XmlNode. - - - - Deserializes the XmlNode from a JSON string. - - The JSON string. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XmlNode - - - - Serializes the to a JSON string. - - The node to convert to JSON. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting. - - The node to convert to JSON. - Indicates how the output is formatted. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XNode. - - - - Deserializes the from a JSON string. - - The JSON string. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XNode - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a JSON constructor. - - - - - Represents a token that can contain other tokens. - - - - - Raises the event. - - The instance containing the event data. - - - - Raises the event. - - The instance containing the event data. - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Occurs when the list changes or an item in the list changes. - - - - - Occurs before an item is added to the collection. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Returns the properties for this instance of a component. - - - A that represents the properties for this component instance. - - - - - Returns the properties for this instance of a component using the attribute array as a filter. - - An array of type that is used as a filter. - - A that represents the filtered properties for this component instance. - - - - - Returns a collection of custom attributes for this instance of a component. - - - An containing the attributes for this object. - - - - - Returns the class name of this instance of a component. - - - The class name of the object, or null if the class does not have a name. - - - - - Returns the name of this instance of a component. - - - The name of the object, or null if the object does not have a name. - - - - - Returns a type converter for this instance of a component. - - - A that is the converter for this object, or null if there is no for this object. - - - - - Returns the default event for this instance of a component. - - - An that represents the default event for this object, or null if this object does not have events. - - - - - Returns the default property for this instance of a component. - - - A that represents the default property for this object, or null if this object does not have properties. - - - - - Returns an editor of the specified type for this instance of a component. - - A that represents the editor for this object. - - An of the specified type that is the editor for this object, or null if the editor cannot be found. - - - - - Returns the events for this instance of a component using the specified attribute array as a filter. - - An array of type that is used as a filter. - - An that represents the filtered events for this component instance. - - - - - Returns the events for this instance of a component. - - - An that represents the events for this component instance. - - - - - Returns an object that contains the property described by the specified property descriptor. - - A that represents the property whose owner is to be found. - - An that represents the owner of the specified property. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Occurs when a property value is changing. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Represents a JSON array. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets the default members search flags. - - The default members search flags. - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the interface when serializing and deserializing types. - - - true if the interface will be ignored when serializing and deserializing types; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the attribute when serializing and deserializing types. - - - true if the attribute will be ignored when serializing and deserializing types; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Represents a method that constructs an object. - - The object type to create. - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net40/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/net40/Newtonsoft.Json.dll deleted file mode 100644 index f68a696..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/net40/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net40/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/net40/Newtonsoft.Json.xml deleted file mode 100644 index e3ee233..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/net40/Newtonsoft.Json.xml +++ /dev/null @@ -1,8558 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - - A . This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Converts a binary value to and from a base 64 string value. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a F# discriminated union type to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an Entity Framework EntityKey to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an ExpandoObject to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Represents a trace writer that writes to the application's instances. - - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Get and set values for a using dynamic methods. - - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Represents an abstract JSON token. - - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the object's properties. - - The object's properties. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the ISerializable object constructor. - - The ISerializable object constructor. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Get and set values for a using dynamic methods. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Represents a view of a . - - - - - Initializes a new instance of the class. - - The name. - - - - When overridden in a derived class, returns whether resetting an object changes its value. - - - true if resetting the component changes its value; otherwise, false. - - The component to test for reset capability. - - - - - When overridden in a derived class, gets the current value of the property on a component. - - - The value of a property for a given component. - - The component with the property for which to retrieve the value. - - - - - When overridden in a derived class, resets the value for this property of the component to the default value. - - The component with the property value that is to be reset to the default value. - - - - - When overridden in a derived class, sets the value of the component to a different value. - - The component with the property value that is to be set. - The new value. - - - - - When overridden in a derived class, determines a value indicating whether the value of this property needs to be persisted. - - - true if the property should be persisted; otherwise, false. - - The component with the property to be examined for persistence. - - - - - When overridden in a derived class, gets the type of the component this property is bound to. - - - A that represents the type of component this property is bound to. When the or methods are invoked, the object specified might be an instance of this type. - - - - - When overridden in a derived class, gets a value indicating whether this property is read-only. - - - true if the property is read-only; otherwise, false. - - - - - When overridden in a derived class, gets the type of the property. - - - A that represents the type of the property. - - - - - Gets the hash code for the name of the member. - - - - The hash code for the name of the member. - - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts XML to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The calling serializer. - The value. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Checks if the attributeName is a namespace attribute. - - Attribute name to test. - The attribute name prefix if it has one, otherwise an empty string. - True if attribute name is for a namespace attribute, otherwise false. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Gets or sets the name of the root element to insert when deserializing to XML if the JSON structure has produces multiple root elements. - - The name of the deserialize root element. - - - - Gets or sets a flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - true if the array attibute is written to the XML; otherwise, false. - - - - Gets or sets a value indicating whether to write the root JSON object. - - true if the JSON root object is omitted; otherwise, false. - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Represents a collection of . - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string. - Serialization will happen on a new thread. - - The object to serialize. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting. - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting and a collection of . - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Asynchronously populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous populate operation. - - - - - Serializes the XML node to a JSON string. - - The node to serialize. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting. - - The node to serialize. - Indicates how the output is formatted. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XmlNode. - - - - Deserializes the XmlNode from a JSON string. - - The JSON string. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XmlNode - - - - Serializes the to a JSON string. - - The node to convert to JSON. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting. - - The node to convert to JSON. - Indicates how the output is formatted. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XNode. - - - - Deserializes the from a JSON string. - - The JSON string. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XNode - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a JSON constructor. - - - - - Represents a token that can contain other tokens. - - - - - Raises the event. - - The instance containing the event data. - - - - Raises the event. - - The instance containing the event data. - - - - Raises the event. - - The instance containing the event data. - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Occurs when the list changes or an item in the list changes. - - - - - Occurs before an item is added to the collection. - - - - - Occurs when the items list of the collection has changed, or the collection is reset. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Returns the properties for this instance of a component. - - - A that represents the properties for this component instance. - - - - - Returns the properties for this instance of a component using the attribute array as a filter. - - An array of type that is used as a filter. - - A that represents the filtered properties for this component instance. - - - - - Returns a collection of custom attributes for this instance of a component. - - - An containing the attributes for this object. - - - - - Returns the class name of this instance of a component. - - - The class name of the object, or null if the class does not have a name. - - - - - Returns the name of this instance of a component. - - - The name of the object, or null if the object does not have a name. - - - - - Returns a type converter for this instance of a component. - - - A that is the converter for this object, or null if there is no for this object. - - - - - Returns the default event for this instance of a component. - - - An that represents the default event for this object, or null if this object does not have events. - - - - - Returns the default property for this instance of a component. - - - A that represents the default property for this object, or null if this object does not have properties. - - - - - Returns an editor of the specified type for this instance of a component. - - A that represents the editor for this object. - - An of the specified type that is the editor for this object, or null if the editor cannot be found. - - - - - Returns the events for this instance of a component using the specified attribute array as a filter. - - An array of type that is used as a filter. - - An that represents the filtered events for this component instance. - - - - - Returns the events for this instance of a component. - - - An that represents the events for this component instance. - - - - - Returns an object that contains the property described by the specified property descriptor. - - A that represents the property whose owner is to be found. - - An that represents the owner of the specified property. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Occurs when a property value is changing. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Represents a JSON array. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets the default members search flags. - - The default members search flags. - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the interface when serializing and deserializing types. - - - true if the interface will be ignored when serializing and deserializing types; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the attribute when serializing and deserializing types. - - - true if the attribute will be ignored when serializing and deserializing types; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic that returns a result - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Returns a Restrictions object which includes our current restrictions merged - with a restriction limiting our type - - - - - Represents a method that constructs an object. - - The object type to create. - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net45/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/net45/Newtonsoft.Json.dll deleted file mode 100644 index 597a1ce..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/net45/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/net45/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/net45/Newtonsoft.Json.xml deleted file mode 100644 index 8e08389..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/net45/Newtonsoft.Json.xml +++ /dev/null @@ -1,8558 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - - A . This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a binary value to and from a base 64 string value. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a F# discriminated union type to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an Entity Framework EntityKey to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an ExpandoObject to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts XML to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The calling serializer. - The value. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Checks if the attributeName is a namespace attribute. - - Attribute name to test. - The attribute name prefix if it has one, otherwise an empty string. - True if attribute name is for a namespace attribute, otherwise false. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Gets or sets the name of the root element to insert when deserializing to XML if the JSON structure has produces multiple root elements. - - The name of the deserialize root element. - - - - Gets or sets a flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - true if the array attibute is written to the XML; otherwise, false. - - - - Gets or sets a value indicating whether to write the root JSON object. - - true if the JSON root object is omitted; otherwise, false. - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string. - Serialization will happen on a new thread. - - The object to serialize. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting. - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting and a collection of . - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Asynchronously populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous populate operation. - - - - - Serializes the XML node to a JSON string. - - The node to serialize. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting. - - The node to serialize. - Indicates how the output is formatted. - A JSON string of the XmlNode. - - - - Serializes the XML node to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XmlNode. - - - - Deserializes the XmlNode from a JSON string. - - The JSON string. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XmlNode - - - - Deserializes the XmlNode from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XmlNode - - - - Serializes the to a JSON string. - - The node to convert to JSON. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting. - - The node to convert to JSON. - Indicates how the output is formatted. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XNode. - - - - Deserializes the from a JSON string. - - The JSON string. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XNode - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Represents a collection of . - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Represents a JSON array. - - - - - - - - Represents a token that can contain other tokens. - - - - - Represents an abstract JSON token. - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Raises the event. - - The instance containing the event data. - - - - Raises the event. - - The instance containing the event data. - - - - Raises the event. - - The instance containing the event data. - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Occurs when the list changes or an item in the list changes. - - - - - Occurs before an item is added to the collection. - - - - - Occurs when the items list of the collection has changed, or the collection is reset. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a JSON constructor. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Returns the properties for this instance of a component. - - - A that represents the properties for this component instance. - - - - - Returns the properties for this instance of a component using the attribute array as a filter. - - An array of type that is used as a filter. - - A that represents the filtered properties for this component instance. - - - - - Returns a collection of custom attributes for this instance of a component. - - - An containing the attributes for this object. - - - - - Returns the class name of this instance of a component. - - - The class name of the object, or null if the class does not have a name. - - - - - Returns the name of this instance of a component. - - - The name of the object, or null if the object does not have a name. - - - - - Returns a type converter for this instance of a component. - - - A that is the converter for this object, or null if there is no for this object. - - - - - Returns the default event for this instance of a component. - - - An that represents the default event for this object, or null if this object does not have events. - - - - - Returns the default property for this instance of a component. - - - A that represents the default property for this object, or null if this object does not have properties. - - - - - Returns an editor of the specified type for this instance of a component. - - A that represents the editor for this object. - - An of the specified type that is the editor for this object, or null if the editor cannot be found. - - - - - Returns the events for this instance of a component using the specified attribute array as a filter. - - An array of type that is used as a filter. - - An that represents the filtered events for this component instance. - - - - - Returns the events for this instance of a component. - - - An that represents the events for this component instance. - - - - - Returns an object that contains the property described by the specified property descriptor. - - A that represents the property whose owner is to be found. - - An that represents the owner of the specified property. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Occurs when a property value is changing. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Represents a view of a . - - - - - Initializes a new instance of the class. - - The name. - - - - When overridden in a derived class, returns whether resetting an object changes its value. - - - true if resetting the component changes its value; otherwise, false. - - The component to test for reset capability. - - - - - When overridden in a derived class, gets the current value of the property on a component. - - - The value of a property for a given component. - - The component with the property for which to retrieve the value. - - - - - When overridden in a derived class, resets the value for this property of the component to the default value. - - The component with the property value that is to be reset to the default value. - - - - - When overridden in a derived class, sets the value of the component to a different value. - - The component with the property value that is to be set. - The new value. - - - - - When overridden in a derived class, determines a value indicating whether the value of this property needs to be persisted. - - - true if the property should be persisted; otherwise, false. - - The component with the property to be examined for persistence. - - - - - When overridden in a derived class, gets the type of the component this property is bound to. - - - A that represents the type of component this property is bound to. When the or methods are invoked, the object specified might be an instance of this type. - - - - - When overridden in a derived class, gets a value indicating whether this property is read-only. - - - true if the property is read-only; otherwise, false. - - - - - When overridden in a derived class, gets the type of the property. - - - A that represents the type of the property. - - - - - Gets the hash code for the name of the member. - - - - The hash code for the name of the member. - - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Initializes a new instance of the class. - - The that holds the serialized object data about the exception being thrown. - The that contains contextual information about the source or destination. - The parameter is null. - The class name is null or is zero (0). - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets the default members search flags. - - The default members search flags. - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the interface when serializing and deserializing types. - - - true if the interface will be ignored when serializing and deserializing types; otherwise, false. - - - - - Gets or sets a value indicating whether to ignore the attribute when serializing and deserializing types. - - - true if the attribute will be ignored when serializing and deserializing types; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Represents a trace writer that writes to the application's instances. - - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Get and set values for a using dynamic methods. - - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Get and set values for a using dynamic methods. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the object's properties. - - The object's properties. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the ISerializable object constructor. - - The ISerializable object constructor. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Represents a method that constructs an object. - - The object type to create. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic that returns a result - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Returns a Restrictions object which includes our current restrictions merged - with a restriction limiting our type - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/lib/netcore45/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/netcore45/Newtonsoft.Json.dll deleted file mode 100644 index 1cbb715..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/netcore45/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/netcore45/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/netcore45/Newtonsoft.Json.xml deleted file mode 100644 index 68d7166..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/netcore45/Newtonsoft.Json.xml +++ /dev/null @@ -1,8083 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - - A . This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a to and from JSON and BSON. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an ExpandoObject to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts XML to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The calling serializer. - The value. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Checks if the attributeName is a namespace attribute. - - Attribute name to test. - The attribute name prefix if it has one, otherwise an empty string. - True if attribute name is for a namespace attribute, otherwise false. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Gets or sets the name of the root element to insert when deserializing to XML if the JSON structure has produces multiple root elements. - - The name of the deserialize root element. - - - - Gets or sets a flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - true if the array attibute is written to the XML; otherwise, false. - - - - Gets or sets a value indicating whether to write the root JSON object. - - true if the JSON root object is omitted; otherwise, false. - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Indicates the method that will be used during deserialization for locating and loading assemblies. - - - - - In simple mode, the assembly used during deserialization need not match exactly the assembly used during serialization. Specifically, the version numbers need not match as the LoadWithPartialName method is used to load the assembly. - - - - - In full mode, the assembly used during deserialization must match exactly the assembly used during serialization. The Load method of the Assembly class is used to load the assembly. - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string. - Serialization will happen on a new thread. - - The object to serialize. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting. - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting and a collection of . - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Asynchronously populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous populate operation. - - - - - Serializes the to a JSON string. - - The node to convert to JSON. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting. - - The node to convert to JSON. - Indicates how the output is formatted. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XNode. - - - - Deserializes the from a JSON string. - - The JSON string. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XNode - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Represents a collection of . - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Represents a JSON array. - - - - - - - - Represents a token that can contain other tokens. - - - - - Represents an abstract JSON token. - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Raises the event. - - The instance containing the event data. - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Occurs when the items list of the collection has changed, or the collection is reset. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a JSON constructor. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Allows users to control class loading and mandate what class to load. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object - The type of the object the formatter creates a new instance of. - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Get and set values for a using dynamic methods. - - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the object's properties. - - The object's properties. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Represents a method that constructs an object. - - The object type to create. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Specifies what messages to output for the class. - - - - - Output no tracing and debugging messages. - - - - - Output error-handling messages. - - - - - Output warnings and error-handling messages. - - - - - Output informational messages, warnings, and error-handling messages. - - - - - Output all debugging and tracing messages. - - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic that returns a result - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Returns a Restrictions object which includes our current restrictions merged - with a restriction limiting our type - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/lib/portable-net40+sl5+wp80+win8+wpa81/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/portable-net40+sl5+wp80+win8+wpa81/Newtonsoft.Json.dll deleted file mode 100644 index 32ea697..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/portable-net40+sl5+wp80+win8+wpa81/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/portable-net40+sl5+wp80+win8+wpa81/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/portable-net40+sl5+wp80+win8+wpa81/Newtonsoft.Json.xml deleted file mode 100644 index e9d9f38..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/portable-net40+sl5+wp80+win8+wpa81/Newtonsoft.Json.xml +++ /dev/null @@ -1,7711 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - - A . This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a to and from JSON and BSON. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a F# discriminated union type to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Indicates the method that will be used during deserialization for locating and loading assemblies. - - - - - In simple mode, the assembly used during deserialization need not match exactly the assembly used during serialization. Specifically, the version numbers need not match as the LoadWithPartialName method is used to load the assembly. - - - - - In full mode, the assembly used during deserialization must match exactly the assembly used during serialization. The Load method of the Assembly class is used to load the assembly. - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Represents a collection of . - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Represents a JSON array. - - - - - - - - Represents a token that can contain other tokens. - - - - - Represents an abstract JSON token. - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a JSON constructor. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Allows users to control class loading and mandate what class to load. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object - The type of the object the formatter creates a new instance of. - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets the default members search flags. - - The default members search flags. - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Represents a method that constructs an object. - - The object type to create. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Specifies what messages to output for the class. - - - - - Output no tracing and debugging messages. - - - - - Output error-handling messages. - - - - - Output warnings and error-handling messages. - - - - - Output informational messages, warnings, and error-handling messages. - - - - - Output all debugging and tracing messages. - - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/lib/portable-net45+wp80+win8+wpa81/Newtonsoft.Json.dll b/packages/Newtonsoft.Json.6.0.4/lib/portable-net45+wp80+win8+wpa81/Newtonsoft.Json.dll deleted file mode 100644 index 382f1ca..0000000 Binary files a/packages/Newtonsoft.Json.6.0.4/lib/portable-net45+wp80+win8+wpa81/Newtonsoft.Json.dll and /dev/null differ diff --git a/packages/Newtonsoft.Json.6.0.4/lib/portable-net45+wp80+win8+wpa81/Newtonsoft.Json.xml b/packages/Newtonsoft.Json.6.0.4/lib/portable-net45+wp80+win8+wpa81/Newtonsoft.Json.xml deleted file mode 100644 index ad509c9..0000000 --- a/packages/Newtonsoft.Json.6.0.4/lib/portable-net45+wp80+win8+wpa81/Newtonsoft.Json.xml +++ /dev/null @@ -1,8083 +0,0 @@ - - - - Newtonsoft.Json - - - - - Represents a BSON Oid (object id). - - - - - Initializes a new instance of the class. - - The Oid value. - - - - Gets or sets the value of the Oid. - - The value of the Oid. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class with the specified . - - - - - Reads the next JSON token from the stream. - - true if the next token was read successfully; false if there are no more tokens to read. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Skips the children of the current token. - - - - - Sets the current token. - - The new token. - - - - Sets the current token and value. - - The new token. - The value. - - - - Sets the state based on current token type. - - - - - Performs application-defined tasks associated with freeing, releasing, or resetting unmanaged resources. - - - - - Releases unmanaged and - optionally - managed resources - - true to release both managed and unmanaged resources; false to release only unmanaged resources. - - - - Changes the to Closed. - - - - - Gets the current reader state. - - The current reader state. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the reader is closed. - - - true to close the underlying stream or when - the reader is closed; otherwise false. The default is true. - - - - - Gets or sets a value indicating whether multiple pieces of JSON content can - be read from a continuous stream without erroring. - - - true to support reading multiple pieces of JSON content; otherwise false. The default is false. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - Get or set how time zones are handling when reading JSON. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how custom date formatted strings are parsed when reading JSON. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets the type of the current JSON token. - - - - - Gets the text value of the current JSON token. - - - - - Gets The Common Language Runtime (CLR) type for the current JSON token. - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Specifies the state of the reader. - - - - - The Read method has not been called. - - - - - The end of the file has been reached successfully. - - - - - Reader is at a property. - - - - - Reader is at the start of an object. - - - - - Reader is in an object. - - - - - Reader is at the start of an array. - - - - - Reader is in an array. - - - - - The Close method has been called. - - - - - Reader has just read a value. - - - - - Reader is at the start of a constructor. - - - - - Reader in a constructor. - - - - - An error occurred that prevents the read operation from continuing. - - - - - The end of the file has been reached successfully. - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The reader. - - - - Initializes a new instance of the class. - - The stream. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Initializes a new instance of the class. - - The reader. - if set to true the root object will be read as a JSON array. - The used when reading values from BSON. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - - A . This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Changes the to Closed. - - - - - Gets or sets a value indicating whether binary data reading should compatible with incorrect Json.NET 3.5 written binary. - - - true if binary data reading will be compatible with incorrect Json.NET 3.5 written binary; otherwise, false. - - - - - Gets or sets a value indicating whether the root object will be read as a JSON array. - - - true if the root object will be read as a JSON array; otherwise, false. - - - - - Gets or sets the used when reading values from BSON. - - The used when reading values from BSON. - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating JSON data. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the end of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the end of an array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end constructor. - - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes the end of the current Json object or array. - - - - - Writes the current token and its children. - - The to read the token from. - - - - Writes the current token. - - The to read the token from. - A flag indicating whether the current token's children should be written. - - - - Writes the specified end token. - - The end token to write. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON without changing the writer's state. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Sets the state of the JsonWriter, - - The JsonToken being written. - The value being written. - - - - Gets or sets a value indicating whether the underlying stream or - should be closed when the writer is closed. - - - true to close the underlying stream or when - the writer is closed; otherwise false. The default is true. - - - - - Gets the top. - - The top. - - - - Gets the state of the writer. - - - - - Gets the path of the writer. - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling when writing JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written to JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when writing JSON. Defaults to . - - - - - Initializes a new instance of the class. - - The stream. - - - - Initializes a new instance of the class. - - The writer. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Writes the end. - - The token. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes raw JSON where a value is expected and updates the writer's state. - - The raw JSON to write. - - - - Writes the beginning of a Json array. - - - - - Writes the beginning of a Json object. - - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Closes this stream and the underlying stream. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value that represents a BSON object id. - - The Object ID value to write. - - - - Writes a BSON regex. - - The regex pattern. - The regex options. - - - - Gets or sets the used when writing values to BSON. - When set to no conversion will occur. - - The used when writing values to BSON. - - - - Specifies how constructors are used when initializing objects during deserialization by the . - - - - - First attempt to use the public default constructor, then fall back to single paramatized constructor, then the non-public default constructor. - - - - - Json.NET will use a non-public default constructor before falling back to a paramatized constructor. - - - - - Converts a to and from JSON and BSON. - - - - - Converts an object to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets the of the JSON produced by the JsonConverter. - - The of the JSON produced by the JsonConverter. - - - - Gets a value indicating whether this can read JSON. - - true if this can read JSON; otherwise, false. - - - - Gets a value indicating whether this can write JSON. - - true if this can write JSON; otherwise, false. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Create a custom object - - The object type to convert. - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Creates an object which will then be populated by the serializer. - - Type of the object. - The created object. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Provides a base class for converting a to and from JSON. - - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a F# discriminated union type to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an ExpandoObject to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets a value indicating whether this can write JSON. - - - true if this can write JSON; otherwise, false. - - - - - Converts a to and from the ISO 8601 date format (e.g. 2008-04-12T12:53Z). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Gets or sets the date time styles used when converting a date to and from JSON. - - The date time styles used when converting a date to and from JSON. - - - - Gets or sets the date time format used when converting a date to and from JSON. - - The date time format used when converting a date to and from JSON. - - - - Gets or sets the culture used when converting a date to and from JSON. - - The culture used when converting a date to and from JSON. - - - - Converts a to and from a JavaScript date constructor (e.g. new Date(52231943)). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Converts a to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts a to and from JSON and BSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts an to and from its name string value. - - - - - Initializes a new instance of the class. - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Gets or sets a value indicating whether the written enum text should be camel case. - - true if the written enum text will be camel case; otherwise, false. - - - - Gets or sets a value indicating whether integer values are allowed. - - true if integers are allowed; otherwise, false. - - - - Converts a to and from a string (e.g. "1.2.3.4"). - - - - - Writes the JSON representation of the object. - - The to write to. - The value. - The calling serializer. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing property value of the JSON that is being converted. - The calling serializer. - The object value. - - - - Determines whether this instance can convert the specified object type. - - Type of the object. - - true if this instance can convert the specified object type; otherwise, false. - - - - - Converts XML to and from JSON. - - - - - Writes the JSON representation of the object. - - The to write to. - The calling serializer. - The value. - - - - Reads the JSON representation of the object. - - The to read from. - Type of the object. - The existing value of object being read. - The calling serializer. - The object value. - - - - Checks if the attributeName is a namespace attribute. - - Attribute name to test. - The attribute name prefix if it has one, otherwise an empty string. - True if attribute name is for a namespace attribute, otherwise false. - - - - Determines whether this instance can convert the specified value type. - - Type of the value. - - true if this instance can convert the specified value type; otherwise, false. - - - - - Gets or sets the name of the root element to insert when deserializing to XML if the JSON structure has produces multiple root elements. - - The name of the deserialize root element. - - - - Gets or sets a flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - true if the array attibute is written to the XML; otherwise, false. - - - - Gets or sets a value indicating whether to write the root JSON object. - - true if the JSON root object is omitted; otherwise, false. - - - - Specifies how dates are formatted when writing JSON text. - - - - - Dates are written in the ISO 8601 format, e.g. "2012-03-21T05:40Z". - - - - - Dates are written in the Microsoft JSON format, e.g. "\/Date(1198908717056)\/". - - - - - Specifies how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON text. - - - - - Date formatted strings are not parsed to a date type and are read as strings. - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed to . - - - - - Specifies how to treat the time value when converting between string and . - - - - - Treat as local time. If the object represents a Coordinated Universal Time (UTC), it is converted to the local time. - - - - - Treat as a UTC. If the object represents a local time, it is converted to a UTC. - - - - - Treat as a local time if a is being converted to a string. - If a string is being converted to , convert to a local time if a time zone is specified. - - - - - Time zone information should be preserved when converting. - - - - - Specifies default value handling options for the . - - - - - - - - - Include members where the member value is the same as the member's default value when serializing objects. - Included members are written to JSON. Has no effect when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - so that is is not written to JSON. - This option will ignore all default values (e.g. null for objects and nullable types; 0 for integers, - decimals and floating point numbers; and false for booleans). The default value ignored can be changed by - placing the on the property. - - - - - Members with a default value but no JSON will be set to their default value when deserializing. - - - - - Ignore members where the member value is the same as the member's default value when serializing objects - and sets members to their default value when deserializing. - - - - - Specifies float format handling options when writing special floating point numbers, e.g. , - and with . - - - - - Write special floating point values as strings in JSON, e.g. "NaN", "Infinity", "-Infinity". - - - - - Write special floating point values as symbols in JSON, e.g. NaN, Infinity, -Infinity. - Note that this will produce non-valid JSON. - - - - - Write special floating point values as the property's default value in JSON, e.g. 0.0 for a property, null for a property. - - - - - Specifies how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Floating point numbers are parsed to . - - - - - Floating point numbers are parsed to . - - - - - Indicates the method that will be used during deserialization for locating and loading assemblies. - - - - - In simple mode, the assembly used during deserialization need not match exactly the assembly used during serialization. Specifically, the version numbers need not match as the LoadWithPartialName method is used to load the assembly. - - - - - In full mode, the assembly used during deserialization must match exactly the assembly used during serialization. The Load method of the Assembly class is used to load the assembly. - - - - - Specifies formatting options for the . - - - - - No special formatting is applied. This is the default. - - - - - Causes child objects to be indented according to the and settings. - - - - - Provides an interface to enable a class to return line and position information. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Gets the current line position. - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - Instructs the how to serialize the collection. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the id. - - The id. - - - - Gets or sets the title. - - The title. - - - - Gets or sets the description. - - The description. - - - - Gets the collection's items converter. - - The collection's items converter. - - - - Gets or sets a value that indicates whether to preserve object references. - - - true to keep object reference; otherwise, false. The default is false. - - - - - Gets or sets a value that indicates whether to preserve collection's items references. - - - true to keep collection's items object references; otherwise, false. The default is false. - - - - - Gets or sets the reference loop handling used when serializing the collection's items. - - The reference loop handling. - - - - Gets or sets the type name handling used when serializing the collection's items. - - The type name handling. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with a flag indicating whether the array can contain null items - - A flag indicating whether the array can contain null items. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets a value indicating whether null items are allowed in the collection. - - true if null items are allowed in the collection; otherwise, false. - - - - Instructs the to use the specified constructor when deserializing that object. - - - - - Provides methods for converting between common language runtime types and JSON types. - - - - - - - - Represents JavaScript's boolean value true as a string. This field is read-only. - - - - - Represents JavaScript's boolean value false as a string. This field is read-only. - - - - - Represents JavaScript's null as a string. This field is read-only. - - - - - Represents JavaScript's undefined as a string. This field is read-only. - - - - - Represents JavaScript's positive infinity as a string. This field is read-only. - - - - - Represents JavaScript's negative infinity as a string. This field is read-only. - - - - - Represents JavaScript's NaN as a string. This field is read-only. - - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - The time zone handling when the date is converted to a string. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation using the specified. - - The value to convert. - The format the date will be converted to. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - The string delimiter character. - A JSON string representation of the . - - - - Converts the to its JSON string representation. - - The value to convert. - A JSON string representation of the . - - - - Serializes the specified object to a JSON string. - - The object to serialize. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting. - - The object to serialize. - Indicates how the output is formatted. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a collection of . - - The object to serialize. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using formatting and a collection of . - - The object to serialize. - Indicates how the output is formatted. - A collection converters used while serializing. - A JSON string representation of the object. - - - - Serializes the specified object to a JSON string using . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A JSON string representation of the object. - - - - - Serializes the specified object to a JSON string using a type, formatting and . - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - A JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string. - Serialization will happen on a new thread. - - The object to serialize. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting. - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Asynchronously serializes the specified object to a JSON string using formatting and a collection of . - Serialization will happen on a new thread. - - The object to serialize. - Indicates how the output is formatted. - The used to serialize the object. - If this is null, default serialization settings will be used. - - A task that represents the asynchronous serialize operation. The value of the TResult parameter contains a JSON string representation of the object. - - - - - Deserializes the JSON to a .NET object. - - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to a .NET object using . - - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The JSON to deserialize. - The of object being deserialized. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type. - - The type of the object to deserialize to. - The JSON to deserialize. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the given anonymous type. - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the given anonymous type using . - - - The anonymous type to deserialize to. This can't be specified - traditionally and must be infered from the anonymous type passed - as a parameter. - - The JSON to deserialize. - The anonymous type object. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized anonymous type from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The type of the object to deserialize to. - The JSON to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The type of the object to deserialize to. - The object to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using a collection of . - - The JSON to deserialize. - The type of the object to deserialize. - Converters to use while deserializing. - The deserialized object from the JSON string. - - - - Deserializes the JSON to the specified .NET type using . - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - The deserialized object from the JSON string. - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The type of the object to deserialize to. - The JSON to deserialize. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type. - Deserialization will happen on a new thread. - - The JSON to deserialize. - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Asynchronously deserializes the JSON to the specified .NET type using . - Deserialization will happen on a new thread. - - The JSON to deserialize. - The type of the object to deserialize to. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous deserialize operation. The value of the TResult parameter contains the deserialized object from the JSON string. - - - - - Populates the object with values from the JSON string. - - The JSON to populate values from. - The target object to populate values onto. - - - - Populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - - - Asynchronously populates the object with values from the JSON string using . - - The JSON to populate values from. - The target object to populate values onto. - - The used to deserialize the object. - If this is null, default serialization settings will be used. - - - A task that represents the asynchronous populate operation. - - - - - Serializes the to a JSON string. - - The node to convert to JSON. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting. - - The node to convert to JSON. - Indicates how the output is formatted. - A JSON string of the XNode. - - - - Serializes the to a JSON string using formatting and omits the root object if is true. - - The node to serialize. - Indicates how the output is formatted. - Omits writing the root object. - A JSON string of the XNode. - - - - Deserializes the from a JSON string. - - The JSON string. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by . - - The JSON string. - The name of the root element to append when deserializing. - The deserialized XNode - - - - Deserializes the from a JSON string nested in a root elment specified by - and writes a .NET array attribute for collections. - - The JSON string. - The name of the root element to append when deserializing. - - A flag to indicate whether to write the Json.NET array attribute. - This attribute helps preserve arrays when converting the written XML back to JSON. - - The deserialized XNode - - - - Gets or sets a function that creates default . - Default settings are automatically used by serialization methods on , - and and on . - To serialize without using any default settings create a with - . - - - - - Instructs the to use the specified when serializing the member or class. - - - - - Initializes a new instance of the class. - - Type of the converter. - - - - Gets the type of the converter. - - The type of the converter. - - - - Represents a collection of . - - - - - Instructs the how to serialize the collection. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Instructs the to deserialize properties with no matching class member into the specified collection - and write values during serialization. - - - - - Initializes a new instance of the class. - - - - - Gets or sets a value that indicates whether to write extension data when serializing the object. - - - true to write extension data when serializing the object; otherwise, false. The default is true. - - - - - Gets or sets a value that indicates whether to read extension data when deserializing the object. - - - true to read extension data when deserializing the object; otherwise, false. The default is true. - - - - - Instructs the not to serialize the public field or public read/write property value. - - - - - Instructs the how to serialize the object. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified member serialization. - - The member serialization. - - - - Initializes a new instance of the class with the specified container Id. - - The container Id. - - - - Gets or sets the member serialization. - - The member serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Instructs the to always serialize the member with the specified name. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class with the specified name. - - Name of the property. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets the null value handling used when serializing this property. - - The null value handling. - - - - Gets or sets the default value handling used when serializing this property. - - The default value handling. - - - - Gets or sets the reference loop handling used when serializing this property. - - The reference loop handling. - - - - Gets or sets the object creation handling used when deserializing this property. - - The object creation handling. - - - - Gets or sets the type name handling used when serializing this property. - - The type name handling. - - - - Gets or sets whether this property's value is serialized as a reference. - - Whether this property's value is serialized as a reference. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets a value indicating whether this property is required. - - - A value indicating whether this property is required. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - The exception thrown when an error occurs during Json serialization or deserialization. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Serializes and deserializes objects into and from the JSON format. - The enables you to control how objects are encoded into JSON. - - - - - Initializes a new instance of the class. - - - - - Creates a new instance. - The will not use default settings. - - - A new instance. - The will not use default settings. - - - - - Creates a new instance using the specified . - The will not use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will not use default settings. - - - - - Creates a new instance. - The will use default settings. - - - A new instance. - The will use default settings. - - - - - Creates a new instance using the specified . - The will use default settings. - - The settings to be applied to the . - - A new instance using the specified . - The will use default settings. - - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Populates the JSON values onto the target object. - - The that contains the JSON structure to reader values from. - The target object to populate values onto. - - - - Deserializes the Json structure contained by the specified . - - The that contains the JSON structure to deserialize. - The being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The type of the object to deserialize. - The instance of being deserialized. - - - - Deserializes the Json structure contained by the specified - into an instance of the specified type. - - The containing the object. - The of object being deserialized. - The instance of being deserialized. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - The type of the value being serialized. - This parameter is used when is Auto to write out the type name if the type of the value does not match. - Specifing the type is optional. - - - - - Serializes the specified and writes the Json structure - to a Stream using the specified . - - The used to write the Json structure. - The to serialize. - - - - Occurs when the errors during serialization and deserialization. - - - - - Gets or sets the used by the serializer when resolving references. - - - - - Gets or sets the used by the serializer when resolving type names. - - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how object references are preserved by the serializer. - - - - - Get or set how reference loops (e.g. a class referencing itself) is handled. - - - - - Get or set how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - - - - Get or set how null values are handled during serialization and deserialization. - - - - - Get or set how null default are handled during serialization and deserialization. - - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets a collection that will be used during serialization. - - Collection that will be used during serialization. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Gets a value indicating whether there will be a check for additional JSON content after deserializing an object. - - - true if there will be a check for additional JSON content after deserializing an object; otherwise, false. - - - - - Specifies the settings on a object. - - - - - Initializes a new instance of the class. - - - - - Gets or sets how reference loops (e.g. a class referencing itself) is handled. - - Reference loop handling. - - - - Gets or sets how missing members (e.g. JSON contains a property that isn't a member on the object) are handled during deserialization. - - Missing member handling. - - - - Gets or sets how objects are created during deserialization. - - The object creation handling. - - - - Gets or sets how null values are handled during serialization and deserialization. - - Null value handling. - - - - Gets or sets how null default are handled during serialization and deserialization. - - The default value handling. - - - - Gets or sets a collection that will be used during serialization. - - The converters. - - - - Gets or sets how object references are preserved by the serializer. - - The preserve references handling. - - - - Gets or sets how type name writing and reading is handled by the serializer. - - The type name handling. - - - - Gets or sets how metadata properties are used during deserialization. - - The metadata properties handling. - - - - Gets or sets how a type name assembly is written and resolved by the serializer. - - The type name assembly format. - - - - Gets or sets how constructors are used during deserialization. - - The constructor handling. - - - - Gets or sets the contract resolver used by the serializer when - serializing .NET objects to JSON and vice versa. - - The contract resolver. - - - - Gets or sets the used by the serializer when resolving references. - - The reference resolver. - - - - Gets or sets the used by the serializer when writing trace messages. - - The trace writer. - - - - Gets or sets the used by the serializer when resolving type names. - - The binder. - - - - Gets or sets the error handler called during serialization and deserialization. - - The error handler called during serialization and deserialization. - - - - Gets or sets the used by the serializer when invoking serialization callback methods. - - The context. - - - - Get or set how and values are formatting when writing JSON text. - - - - - Gets or sets the maximum depth allowed when reading JSON. Reading past this depth will throw a . - - - - - Indicates how JSON text output is formatted. - - - - - Get or set how dates are written to JSON text. - - - - - Get or set how time zones are handling during serialization and deserialization. - - - - - Get or set how date formatted strings, e.g. "\/Date(1198908717056)\/" and "2012-03-21T05:40Z", are parsed when reading JSON. - - - - - Get or set how special floating point numbers, e.g. , - and , - are written as JSON. - - - - - Get or set how floating point numbers, e.g. 1.0 and 9.9, are parsed when reading JSON text. - - - - - Get or set how strings are escaped when writing JSON text. - - - - - Gets or sets the culture used when reading JSON. Defaults to . - - - - - Gets a value indicating whether there will be a check for additional content after deserializing an object. - - - true if there will be a check for additional content after deserializing an object; otherwise, false. - - - - - Represents a reader that provides fast, non-cached, forward-only access to JSON text data. - - - - - Initializes a new instance of the class with the specified . - - The TextReader containing the XML data to read. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Changes the state to closed. - - - - - Gets a value indicating whether the class can return line information. - - - true if LineNumber and LinePosition can be provided; otherwise, false. - - - - - Gets the current line number. - - - The current line number or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Gets the current line position. - - - The current line position or 0 if no line information is available (for example, HasLineInfo returns false). - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Creates an instance of the JsonWriter class using the specified . - - The TextWriter to write to. - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the specified end token. - - The end token to write. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes the property name of a name/value pair on a JSON object. - - The name of the property. - A flag to indicate whether the text should be escaped when it is written as a JSON property name. - - - - Writes indent characters. - - - - - Writes the JSON value delimiter. - - - - - Writes an indent space. - - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes out the given white space. - - The string of white space characters. - - - - Gets or sets how many IndentChars to write for each level in the hierarchy when is set to Formatting.Indented. - - - - - Gets or sets which character to use to quote attribute values. - - - - - Gets or sets which character to use for indenting when is set to Formatting.Indented. - - - - - Gets or sets a value indicating whether object names will be surrounded with quotes. - - - - - Specifies the type of Json token. - - - - - This is returned by the if a method has not been called. - - - - - An object start token. - - - - - An array start token. - - - - - A constructor start token. - - - - - An object property name. - - - - - A comment. - - - - - Raw JSON. - - - - - An integer. - - - - - A float. - - - - - A string. - - - - - A boolean. - - - - - A null token. - - - - - An undefined token. - - - - - An object end token. - - - - - An array end token. - - - - - A constructor end token. - - - - - A Date. - - - - - Byte data. - - - - - Represents a reader that provides validation. - - - - - Initializes a new instance of the class that - validates the content returned from the given . - - The to read from while validating. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. - - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Sets an event handler for receiving schema validation errors. - - - - - Gets the text value of the current JSON token. - - - - - - Gets the depth of the current token in the JSON document. - - The depth of the current token in the JSON document. - - - - Gets the path of the current JSON token. - - - - - Gets the quotation mark character used to enclose the value of a string. - - - - - - Gets the type of the current JSON token. - - - - - - Gets the Common Language Runtime (CLR) type for the current JSON token. - - - - - - Gets or sets the schema. - - The schema. - - - - Gets the used to construct this . - - The specified in the constructor. - - - - The exception thrown when an error occurs while reading Json text. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Contains the LINQ to JSON extension methods. - - - - - Returns a collection of tokens that contains the ancestors of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the ancestors of every node in the source collection. - - - - Returns a collection of tokens that contains the descendants of every token in the source collection. - - The type of the objects in source, constrained to . - An of that contains the source collection. - An of that contains the descendants of every node in the source collection. - - - - Returns a collection of child properties of every object in the source collection. - - An of that contains the source collection. - An of that contains the properties of every object in the source collection. - - - - Returns a collection of child values of every object in the source collection with the given key. - - An of that contains the source collection. - The token key. - An of that contains the values of every node in the source collection with the given key. - - - - Returns a collection of child values of every object in the source collection. - - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child values of every object in the source collection with the given key. - - The type to convert the values to. - An of that contains the source collection. - The token key. - An that contains the converted values of every node in the source collection with the given key. - - - - Returns a collection of converted child values of every object in the source collection. - - The type to convert the values to. - An of that contains the source collection. - An that contains the converted values of every node in the source collection. - - - - Converts the value. - - The type to convert the value to. - A cast as a of . - A converted value. - - - - Converts the value. - - The source collection type. - The type to convert the value to. - A cast as a of . - A converted value. - - - - Returns a collection of child tokens of every array in the source collection. - - The source collection type. - An of that contains the source collection. - An of that contains the values of every node in the source collection. - - - - Returns a collection of converted child tokens of every array in the source collection. - - An of that contains the source collection. - The type to convert the values to. - The source collection type. - An that contains the converted values of every node in the source collection. - - - - Returns the input typed as . - - An of that contains the source collection. - The input typed as . - - - - Returns the input typed as . - - The source collection type. - An of that contains the source collection. - The input typed as . - - - - Represents a collection of objects. - - The type of token - - - - Gets the with the specified key. - - - - - - Represents a JSON array. - - - - - - - - Represents a token that can contain other tokens. - - - - - Represents an abstract JSON token. - - - - - Compares the values of two tokens, including the values of all descendant tokens. - - The first to compare. - The second to compare. - true if the tokens are equal; otherwise false. - - - - Adds the specified content immediately after this token. - - A content object that contains simple content or a collection of content objects to be added after this token. - - - - Adds the specified content immediately before this token. - - A content object that contains simple content or a collection of content objects to be added before this token. - - - - Returns a collection of the ancestor tokens of this token. - - A collection of the ancestor tokens of this token. - - - - Returns a collection of the sibling tokens after this token, in document order. - - A collection of the sibling tokens after this tokens, in document order. - - - - Returns a collection of the sibling tokens before this token, in document order. - - A collection of the sibling tokens before this token, in document order. - - - - Gets the with the specified key converted to the specified type. - - The type to convert the token to. - The token key. - The converted token value. - - - - Returns a collection of the child tokens of this token, in document order. - - An of containing the child tokens of this , in document order. - - - - Returns a collection of the child tokens of this token, in document order, filtered by the specified type. - - The type to filter the child tokens on. - A containing the child tokens of this , in document order. - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - A containing the child values of this , in document order. - - - - Removes this token from its parent. - - - - - Replaces this token with the specified token. - - The value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Returns the indented JSON for this token. - - - The indented JSON for this token. - - - - - Returns the JSON for this token using the given formatting and converters. - - Indicates how the output is formatted. - A collection of which will be used when writing the token. - The JSON for this token using the given formatting and converters. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an explicit conversion from to . - - The value. - The result of the conversion. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Performs an implicit conversion from to . - - The value to create a from. - The initialized with the specified value. - - - - Creates an for this token. - - An that can be used to read this token and its descendants. - - - - Creates a from an object. - - The object that will be used to create . - A with the value of the specified object - - - - Creates a from an object using the specified . - - The object that will be used to create . - The that will be used when reading the object. - A with the value of the specified object - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the . - - The object type that the token will be deserialized to. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates the specified .NET type from the using the specified . - - The object type that the token will be deserialized to. - The that will be used when creating the object. - The new object created from the JSON value. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Creates a from a . - - An positioned at the token to read into this . - - An that contains the token and its descendant tokens - that were read from the reader. The runtime type of the token is determined - by the token type of the first token encountered in the reader. - - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A , or null. - - - - Selects a using a JPath expression. Selects the token that matches the object path. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - A . - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - An that contains the selected elements. - - - - Selects a collection of elements using a JPath expression. - - - A that contains a JPath expression. - - A flag to indicate whether an error should be thrown if no tokens are found when evaluating part of the expression. - An that contains the selected elements. - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Creates a new instance of the . All child tokens are recursively cloned. - - A new instance of the . - - - - Gets a comparer that can compare two tokens for value equality. - - A that can compare two nodes for value equality. - - - - Gets or sets the parent. - - The parent. - - - - Gets the root of this . - - The root of this . - - - - Gets the node type for this . - - The type. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the next sibling token of this node. - - The that contains the next sibling token. - - - - Gets the previous sibling token of this node. - - The that contains the previous sibling token. - - - - Gets the path of the JSON token. - - - - - Gets the with the specified key. - - The with the specified key. - - - - Get the first child token of this token. - - A containing the first child token of the . - - - - Get the last child token of this token. - - A containing the last child token of the . - - - - Raises the event. - - The instance containing the event data. - - - - Returns a collection of the child tokens of this token, in document order. - - - An of containing the child tokens of this , in document order. - - - - - Returns a collection of the child values of this token, in document order. - - The type to convert the values to. - - A containing the child values of this , in document order. - - - - - Returns a collection of the descendant tokens for this token in document order. - - An containing the descendant tokens of the . - - - - Adds the specified content as children of this . - - The content to be added. - - - - Adds the specified content as the first children of this . - - The content to be added. - - - - Creates an that can be used to add tokens to the . - - An that is ready to have content written to it. - - - - Replaces the children nodes of this token with the specified content. - - The content. - - - - Removes the child nodes from this token. - - - - - Merge the specified content into this . - - The content to be merged. - - - - Merge the specified content into this using . - - The content to be merged. - The used to merge the content. - - - - Occurs when the items list of the collection has changed, or the collection is reset. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Get the first child token of this token. - - - A containing the first child token of the . - - - - - Get the last child token of this token. - - - A containing the last child token of the . - - - - - Gets the count of child JSON tokens. - - The count of child JSON tokens - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Initializes a new instance of the class with the specified content. - - The contents of the array. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Determines the index of a specific item in the . - - The object to locate in the . - - The index of if found in the list; otherwise, -1. - - - - - Inserts an item to the at the specified index. - - The zero-based index at which should be inserted. - The object to insert into the . - - is not a valid index in the . - The is read-only. - - - - Removes the item at the specified index. - - The zero-based index of the item to remove. - - is not a valid index in the . - The is read-only. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Adds an item to the . - - The object to add to the . - The is read-only. - - - - Removes all items from the . - - The is read-only. - - - - Determines whether the contains a specific value. - - The object to locate in the . - - true if is found in the ; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the first occurrence of a specific object from the . - - The object to remove from the . - - true if was successfully removed from the ; otherwise, false. This method also returns false if is not found in the original . - - The is read-only. - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the at the specified index. - - - - - - Gets a value indicating whether the is read-only. - - true if the is read-only; otherwise, false. - - - - Represents a JSON constructor. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name and content. - - The constructor name. - The contents of the constructor. - - - - Initializes a new instance of the class with the specified name. - - The constructor name. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets or sets the name of this constructor. - - The constructor name. - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Represents a collection of objects. - - The type of token - - - - An empty collection of objects. - - - - - Initializes a new instance of the struct. - - The enumerable. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Determines whether the specified is equal to this instance. - - The to compare with this instance. - - true if the specified is equal to this instance; otherwise, false. - - - - - Returns a hash code for this instance. - - - A hash code for this instance, suitable for use in hashing algorithms and data structures like a hash table. - - - - - Gets the with the specified key. - - - - - - Represents a JSON object. - - - - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Initializes a new instance of the class with the specified content. - - The contents of the object. - - - - Gets an of this object's properties. - - An of this object's properties. - - - - Gets a the specified name. - - The property name. - A with the specified name or null. - - - - Gets an of this object's property values. - - An of this object's property values. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Load a from a string that contains JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - - - - Creates a from an object. - - The object that will be used to create . - A with the values of the specified object - - - - Creates a from an object. - - The object that will be used to create . - The that will be used to read the object. - A with the values of the specified object - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Gets the with the specified property name. - - Name of the property. - The with the specified property name. - - - - Gets the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - One of the enumeration values that specifies how the strings will be compared. - The with the specified property name. - - - - Tries to get the with the specified property name. - The exact property name will be searched for first and if no matching property is found then - the will be used to match a property. - - Name of the property. - The value. - One of the enumeration values that specifies how the strings will be compared. - true if a value was successfully retrieved; otherwise, false. - - - - Adds the specified property name. - - Name of the property. - The value. - - - - Removes the property with the specified name. - - Name of the property. - true if item was successfully removed; otherwise, false. - - - - Tries the get value. - - Name of the property. - The value. - true if a value was successfully retrieved; otherwise, false. - - - - Returns an enumerator that iterates through the collection. - - - A that can be used to iterate through the collection. - - - - - Raises the event with the provided arguments. - - Name of the property. - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Occurs when a property value changes. - - - - - Gets the node type for this . - - The type. - - - - Gets the with the specified key. - - The with the specified key. - - - - Gets or sets the with the specified property name. - - - - - - Represents a JSON property. - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Initializes a new instance of the class. - - The property name. - The property content. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Loads an from a . - - A that will be read for the content of the . - A that contains the JSON that was read from the specified . - - - - Gets the container's children tokens. - - The container's children tokens. - - - - Gets the property name. - - The property name. - - - - Gets or sets the property value. - - The property value. - - - - Gets the node type for this . - - The type. - - - - Represents a raw JSON string. - - - - - Represents a value in JSON (string, integer, date, etc). - - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Initializes a new instance of the class with the given value. - - The value. - - - - Creates a comment with the given value. - - The value. - A comment with the given value. - - - - Creates a string with the given value. - - The value. - A string with the given value. - - - - Creates a null value. - - A null value. - - - - Creates a null value. - - A null value. - - - - Writes this token to a . - - A into which this method will write. - A collection of which will be used when writing the token. - - - - Indicates whether the current object is equal to another object of the same type. - - - true if the current object is equal to the parameter; otherwise, false. - - An object to compare with this object. - - - - Determines whether the specified is equal to the current . - - The to compare with the current . - - true if the specified is equal to the current ; otherwise, false. - - - The parameter is null. - - - - - Serves as a hash function for a particular type. - - - A hash code for the current . - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format provider. - - A that represents this instance. - - - - - Returns a that represents this instance. - - The format. - The format provider. - - A that represents this instance. - - - - - Returns the responsible for binding operations performed on this object. - - The expression tree representation of the runtime value. - - The to bind this object. - - - - - Compares the current instance with another object of the same type and returns an integer that indicates whether the current instance precedes, follows, or occurs in the same position in the sort order as the other object. - - An object to compare with this instance. - - A 32-bit signed integer that indicates the relative order of the objects being compared. The return value has these meanings: - Value - Meaning - Less than zero - This instance is less than . - Zero - This instance is equal to . - Greater than zero - This instance is greater than . - - - is not the same type as this instance. - - - - - Gets a value indicating whether this token has child tokens. - - - true if this token has child values; otherwise, false. - - - - - Gets the node type for this . - - The type. - - - - Gets or sets the underlying token value. - - The underlying token value. - - - - Initializes a new instance of the class from another object. - - A object to copy from. - - - - Initializes a new instance of the class. - - The raw json. - - - - Creates an instance of with the content of the reader's current token. - - The reader. - An instance of with the content of the reader's current token. - - - - Specifies the settings used when merging JSON. - - - - - Gets or sets the method used when merging JSON arrays. - - The method used when merging JSON arrays. - - - - Compares tokens to determine whether they are equal. - - - - - Determines whether the specified objects are equal. - - The first object of type to compare. - The second object of type to compare. - - true if the specified objects are equal; otherwise, false. - - - - - Returns a hash code for the specified object. - - The for which a hash code is to be returned. - A hash code for the specified object. - The type of is a reference type and is null. - - - - Represents a reader that provides fast, non-cached, forward-only access to serialized Json data. - - - - - Initializes a new instance of the class. - - The token to read from. - - - - Reads the next JSON token from the stream as a . - - - A or a null reference if the next JSON token is null. This method will return null at the end of an array. - - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream as a . - - A . This method will return null at the end of an array. - - - - Reads the next JSON token from the stream. - - - true if the next token was read successfully; false if there are no more tokens to read. - - - - - Gets the path of the current JSON token. - - - - - Specifies the type of token. - - - - - No token type has been set. - - - - - A JSON object. - - - - - A JSON array. - - - - - A JSON constructor. - - - - - A JSON object property. - - - - - A comment. - - - - - An integer value. - - - - - A float value. - - - - - A string value. - - - - - A boolean value. - - - - - A null value. - - - - - An undefined value. - - - - - A date value. - - - - - A raw JSON value. - - - - - A collection of bytes value. - - - - - A Guid value. - - - - - A Uri value. - - - - - A TimeSpan value. - - - - - Represents a writer that provides a fast, non-cached, forward-only way of generating Json data. - - - - - Initializes a new instance of the class writing to the given . - - The container being written to. - - - - Initializes a new instance of the class. - - - - - Flushes whatever is in the buffer to the underlying streams and also flushes the underlying stream. - - - - - Closes this stream and the underlying stream. - - - - - Writes the beginning of a Json object. - - - - - Writes the beginning of a Json array. - - - - - Writes the start of a constructor with the given name. - - The name of the constructor. - - - - Writes the end. - - The token. - - - - Writes the property name of a name/value pair on a Json object. - - The name of the property. - - - - Writes a value. - An error will raised if the value cannot be written as a single JSON token. - - The value to write. - - - - Writes a null value. - - - - - Writes an undefined value. - - - - - Writes raw JSON. - - The raw JSON to write. - - - - Writes out a comment /*...*/ containing the specified text. - - Text to place inside the comment. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Writes a value. - - The value to write. - - - - Gets the token being writen. - - The token being writen. - - - - Specifies how JSON arrays are merged together. - - - - Concatenate arrays. - - - Union arrays, skipping items that already exist. - - - Replace all array items. - - - Merge array items together, matched by index. - - - - Specifies the member serialization options for the . - - - - - All public members are serialized by default. Members can be excluded using or . - This is the default member serialization mode. - - - - - Only members must be marked with or are serialized. - This member serialization mode can also be set by marking the class with . - - - - - All public and private fields are serialized. Members can be excluded using or . - This member serialization mode can also be set by marking the class with - and setting IgnoreSerializableAttribute on to false. - - - - - Specifies metadata property handling options for the . - - - - - Read metadata properties located at the start of a JSON object. - - - - - Read metadata properties located anywhere in a JSON object. Note that this setting will impact performance. - - - - - Do not try to read metadata properties. - - - - - Specifies missing member handling options for the . - - - - - Ignore a missing member and do not attempt to deserialize it. - - - - - Throw a when a missing member is encountered during deserialization. - - - - - Specifies null value handling options for the . - - - - - - - - - Include null values when serializing and deserializing objects. - - - - - Ignore null values when serializing and deserializing objects. - - - - - Specifies how object creation is handled by the . - - - - - Reuse existing objects, create new objects when needed. - - - - - Only reuse existing objects. - - - - - Always create new objects. - - - - - Specifies reference handling options for the . - Note that references cannot be preserved when a value is set via a non-default constructor such as types that implement ISerializable. - - - - - - - - Do not preserve references when serializing types. - - - - - Preserve references when serializing into a JSON object structure. - - - - - Preserve references when serializing into a JSON array structure. - - - - - Preserve references when serializing. - - - - - Specifies reference loop handling options for the . - - - - - Throw a when a loop is encountered. - - - - - Ignore loop references and do not serialize. - - - - - Serialize loop references. - - - - - Indicating whether a property is required. - - - - - The property is not required. The default state. - - - - - The property must be defined in JSON but can be a null value. - - - - - The property must be defined in JSON and cannot be a null value. - - - - - Contains the JSON schema extension methods. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - - true if the specified is valid; otherwise, false. - - - - - Determines whether the is valid. - - The source to test. - The schema to test with. - When this method returns, contains any error messages generated while validating. - - true if the specified is valid; otherwise, false. - - - - - Validates the specified . - - The source to test. - The schema to test with. - - - - Validates the specified . - - The source to test. - The schema to test with. - The validation event handler. - - - - An in-memory representation of a JSON Schema. - - - - - Initializes a new instance of the class. - - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The object representing the JSON Schema. - - - - Reads a from the specified . - - The containing the JSON Schema to read. - The to use when resolving schema references. - The object representing the JSON Schema. - - - - Load a from a string that contains schema JSON. - - A that contains JSON. - A populated from the string that contains JSON. - - - - Parses the specified json. - - The json. - The resolver. - A populated from the string that contains JSON. - - - - Writes this schema to a . - - A into which this method will write. - - - - Writes this schema to a using the specified . - - A into which this method will write. - The resolver used. - - - - Returns a that represents the current . - - - A that represents the current . - - - - - Gets or sets the id. - - - - - Gets or sets the title. - - - - - Gets or sets whether the object is required. - - - - - Gets or sets whether the object is read only. - - - - - Gets or sets whether the object is visible to users. - - - - - Gets or sets whether the object is transient. - - - - - Gets or sets the description of the object. - - - - - Gets or sets the types of values allowed by the object. - - The type. - - - - Gets or sets the pattern. - - The pattern. - - - - Gets or sets the minimum length. - - The minimum length. - - - - Gets or sets the maximum length. - - The maximum length. - - - - Gets or sets a number that the value should be divisble by. - - A number that the value should be divisble by. - - - - Gets or sets the minimum. - - The minimum. - - - - Gets or sets the maximum. - - The maximum. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - A flag indicating whether the value can not equal the number defined by the "minimum" attribute. - - - - Gets or sets a flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - A flag indicating whether the value can not equal the number defined by the "maximum" attribute. - - - - Gets or sets the minimum number of items. - - The minimum number of items. - - - - Gets or sets the maximum number of items. - - The maximum number of items. - - - - Gets or sets the of items. - - The of items. - - - - Gets or sets a value indicating whether items in an array are validated using the instance at their array position from . - - - true if items are validated using their array position; otherwise, false. - - - - - Gets or sets the of additional items. - - The of additional items. - - - - Gets or sets a value indicating whether additional items are allowed. - - - true if additional items are allowed; otherwise, false. - - - - - Gets or sets whether the array items must be unique. - - - - - Gets or sets the of properties. - - The of properties. - - - - Gets or sets the of additional properties. - - The of additional properties. - - - - Gets or sets the pattern properties. - - The pattern properties. - - - - Gets or sets a value indicating whether additional properties are allowed. - - - true if additional properties are allowed; otherwise, false. - - - - - Gets or sets the required property if this property is present. - - The required property if this property is present. - - - - Gets or sets the a collection of valid enum values allowed. - - A collection of valid enum values allowed. - - - - Gets or sets disallowed types. - - The disallow types. - - - - Gets or sets the default value. - - The default value. - - - - Gets or sets the collection of that this schema extends. - - The collection of that this schema extends. - - - - Gets or sets the format. - - The format. - - - - Returns detailed information about the schema exception. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class - with a specified error message. - - The error message that explains the reason for the exception. - - - - Initializes a new instance of the class - with a specified error message and a reference to the inner exception that is the cause of this exception. - - The error message that explains the reason for the exception. - The exception that is the cause of the current exception, or a null reference (Nothing in Visual Basic) if no inner exception is specified. - - - - Gets the line number indicating where the error occurred. - - The line number indicating where the error occurred. - - - - Gets the line position indicating where the error occurred. - - The line position indicating where the error occurred. - - - - Gets the path to the JSON where the error occurred. - - The path to the JSON where the error occurred. - - - - Generates a from a specified . - - - - - Generate a from the specified type. - - The type to generate a from. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Generate a from the specified type. - - The type to generate a from. - The used to resolve schema references. - Specify whether the generated root will be nullable. - A generated from the specified type. - - - - Gets or sets how undefined schemas are handled by the serializer. - - - - - Gets or sets the contract resolver. - - The contract resolver. - - - - Resolves from an id. - - - - - Initializes a new instance of the class. - - - - - Gets a for the specified reference. - - The id. - A for the specified reference. - - - - Gets or sets the loaded schemas. - - The loaded schemas. - - - - The value types allowed by the . - - - - - No type specified. - - - - - String type. - - - - - Float type. - - - - - Integer type. - - - - - Boolean type. - - - - - Object type. - - - - - Array type. - - - - - Null type. - - - - - Any type. - - - - - Specifies undefined schema Id handling options for the . - - - - - Do not infer a schema Id. - - - - - Use the .NET type name as the schema Id. - - - - - Use the assembly qualified .NET type name as the schema Id. - - - - - Returns detailed information related to the . - - - - - Gets the associated with the validation error. - - The JsonSchemaException associated with the validation error. - - - - Gets the path of the JSON location where the validation error occurred. - - The path of the JSON location where the validation error occurred. - - - - Gets the text description corresponding to the validation error. - - The text description. - - - - Represents the callback method that will handle JSON schema validation events and the . - - - - - Allows users to control class loading and mandate what class to load. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object - The type of the object the formatter creates a new instance of. - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Resolves member mappings for a type, camel casing property names. - - - - - Used by to resolves a for a given . - - - - - Used by to resolves a for a given . - - - - - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - - If set to true the will use a cached shared with other resolvers of the same type. - Sharing the cache will significantly performance because expensive reflection will only happen once but could cause unexpected - behavior if different instances of the resolver are suppose to produce different results. When set to false it is highly - recommended to reuse instances with the . - - - - - Resolves the contract for a given type. - - The type to resolve a contract for. - The contract for a given type. - - - - Gets the serializable members for the type. - - The type to get serializable members for. - The serializable members for the type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates the constructor parameters. - - The constructor to create properties for. - The type's member properties. - Properties for the given . - - - - Creates a for the given . - - The matching member property. - The constructor parameter. - A created for the given . - - - - Resolves the default for the contract. - - Type of the object. - The contract's default . - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Creates a for the given type. - - Type of the object. - A for the given type. - - - - Determines which contract type is created for the given type. - - Type of the object. - A for the given type. - - - - Creates properties for the given . - - The type to create properties for. - /// The member serialization mode for the type. - Properties for the given . - - - - Creates the used by the serializer to get and set values from a member. - - The member. - The used by the serializer to get and set values from a member. - - - - Creates a for the given . - - The member's parent . - The member to create a for. - A created for the given . - - - - Resolves the name of the property. - - Name of the property. - Name of the property. - - - - Gets the resolved name of the property. - - Name of the property. - Name of the property. - - - - Gets a value indicating whether members are being get and set using dynamic code generation. - This value is determined by the runtime permissions available. - - - true if using dynamic code generation; otherwise, false. - - - - - Gets or sets a value indicating whether compiler generated members should be serialized. - - - true if serialized compiler generated members; otherwise, false. - - - - - Initializes a new instance of the class. - - - - - Resolves the name of the property. - - Name of the property. - The property name camel cased. - - - - Get and set values for a using dynamic methods. - - - - - Provides methods to get and set values. - - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Used to resolve references when serializing and deserializing JSON by the . - - - - - Resolves a reference to its object. - - The serialization context. - The reference to resolve. - The object that - - - - Gets the reference for the sepecified object. - - The serialization context. - The object to get a reference for. - The reference to the object. - - - - Determines whether the specified object is referenced. - - The serialization context. - The object to test for a reference. - - true if the specified object is referenced; otherwise, false. - - - - - Adds a reference to the specified object. - - The serialization context. - The reference. - The object to reference. - - - - The default serialization binder used when resolving and loading classes from type names. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - The type of the object the formatter creates a new instance of. - - - - - When overridden in a derived class, controls the binding of a serialized object to a type. - - The type of the object the formatter creates a new instance of. - Specifies the name of the serialized object. - Specifies the name of the serialized object. - - - - Provides information surrounding an error. - - - - - Gets the error. - - The error. - - - - Gets the original object that caused the error. - - The original object that caused the error. - - - - Gets the member that caused the error. - - The member that caused the error. - - - - Gets the path of the JSON location where the error occurred. - - The path of the JSON location where the error occurred. - - - - Gets or sets a value indicating whether this is handled. - - true if handled; otherwise, false. - - - - Provides data for the Error event. - - - - - Initializes a new instance of the class. - - The current object. - The error context. - - - - Gets the current object the error event is being raised against. - - The current object the error event is being raised against. - - - - Gets the error context. - - The error context. - - - - Represents a trace writer. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - The that will be used to filter the trace messages passed to the writer. - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Contract details for a used by the . - - - - - Gets the underlying type for the contract. - - The underlying type for the contract. - - - - Gets or sets the type created during deserialization. - - The type created during deserialization. - - - - Gets or sets whether this type contract is serialized as a reference. - - Whether this type contract is serialized as a reference. - - - - Gets or sets the default for this contract. - - The converter. - - - - Gets or sets all methods called immediately after deserialization of the object. - - The methods called immediately after deserialization of the object. - - - - Gets or sets all methods called during deserialization of the object. - - The methods called during deserialization of the object. - - - - Gets or sets all methods called after serialization of the object graph. - - The methods called after serialization of the object graph. - - - - Gets or sets all methods called before serialization of the object. - - The methods called before serialization of the object. - - - - Gets or sets all method called when an error is thrown during the serialization of the object. - - The methods called when an error is thrown during the serialization of the object. - - - - Gets or sets the method called immediately after deserialization of the object. - - The method called immediately after deserialization of the object. - - - - Gets or sets the method called during deserialization of the object. - - The method called during deserialization of the object. - - - - Gets or sets the method called after serialization of the object graph. - - The method called after serialization of the object graph. - - - - Gets or sets the method called before serialization of the object. - - The method called before serialization of the object. - - - - Gets or sets the method called when an error is thrown during the serialization of the object. - - The method called when an error is thrown during the serialization of the object. - - - - Gets or sets the default creator method used to create the object. - - The default creator method used to create the object. - - - - Gets or sets a value indicating whether the default creator is non public. - - true if the default object creator is non-public; otherwise, false. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the default collection items . - - The converter. - - - - Gets or sets a value indicating whether the collection items preserve object references. - - true if collection items preserve object references; otherwise, false. - - - - Gets or sets the collection item reference loop handling. - - The reference loop handling. - - - - Gets or sets the collection item type name handling. - - The type name handling. - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the of the collection items. - - The of the collection items. - - - - Gets a value indicating whether the collection type is a multidimensional array. - - true if the collection type is a multidimensional array; otherwise, false. - - - - Handles serialization callback events. - - The object that raised the callback event. - The streaming context. - - - - Handles serialization error callback events. - - The object that raised the callback event. - The streaming context. - The error context. - - - - Sets extension data for an object during deserialization. - - The object to set extension data on. - The extension data key. - The extension data value. - - - - Gets extension data for an object during serialization. - - The object to set extension data on. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Gets the of the dictionary keys. - - The of the dictionary keys. - - - - Gets the of the dictionary values. - - The of the dictionary values. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets the object's properties. - - The object's properties. - - - - Gets or sets the property name resolver. - - The property name resolver. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Gets or sets the object member serialization. - - The member object serialization. - - - - Gets or sets a value that indicates whether the object's properties are required. - - - A value indicating whether the object's properties are required. - - - - - Gets the object's properties. - - The object's properties. - - - - Gets the constructor parameters required for any non-default constructor - - - - - Gets a collection of instances that define the parameters used with . - - - - - Gets or sets the override constructor used to create the object. - This is set when a constructor is marked up using the - JsonConstructor attribute. - - The override constructor. - - - - Gets or sets the parametrized constructor used to create the object. - - The parametrized constructor. - - - - Gets or sets the function used to create the object. When set this function will override . - This function is called with a collection of arguments which are defined by the collection. - - The function used to create the object. - - - - Gets or sets the extension data setter. - - - - - Gets or sets the extension data getter. - - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Maps a JSON property to a .NET member or constructor parameter. - - - - - Returns a that represents this instance. - - - A that represents this instance. - - - - - Gets or sets the name of the property. - - The name of the property. - - - - Gets or sets the type that declared this property. - - The type that declared this property. - - - - Gets or sets the order of serialization and deserialization of a member. - - The numeric order of serialization or deserialization. - - - - Gets or sets the name of the underlying member or parameter. - - The name of the underlying member or parameter. - - - - Gets the that will get and set the during serialization. - - The that will get and set the during serialization. - - - - Gets or sets the type of the property. - - The type of the property. - - - - Gets or sets the for the property. - If set this converter takes presidence over the contract converter for the property type. - - The converter. - - - - Gets or sets the member converter. - - The member converter. - - - - Gets or sets a value indicating whether this is ignored. - - true if ignored; otherwise, false. - - - - Gets or sets a value indicating whether this is readable. - - true if readable; otherwise, false. - - - - Gets or sets a value indicating whether this is writable. - - true if writable; otherwise, false. - - - - Gets or sets a value indicating whether this has a member attribute. - - true if has a member attribute; otherwise, false. - - - - Gets the default value. - - The default value. - - - - Gets or sets a value indicating whether this is required. - - A value indicating whether this is required. - - - - Gets or sets a value indicating whether this property preserves object references. - - - true if this instance is reference; otherwise, false. - - - - - Gets or sets the property null value handling. - - The null value handling. - - - - Gets or sets the property default value handling. - - The default value handling. - - - - Gets or sets the property reference loop handling. - - The reference loop handling. - - - - Gets or sets the property object creation handling. - - The object creation handling. - - - - Gets or sets or sets the type name handling. - - The type name handling. - - - - Gets or sets a predicate used to determine whether the property should be serialize. - - A predicate used to determine whether the property should be serialize. - - - - Gets or sets a predicate used to determine whether the property should be serialized. - - A predicate used to determine whether the property should be serialized. - - - - Gets or sets an action used to set whether the property has been deserialized. - - An action used to set whether the property has been deserialized. - - - - Gets or sets the converter used when serializing the property's collection items. - - The collection's items converter. - - - - Gets or sets whether this property's collection items are serialized as a reference. - - Whether this property's collection items are serialized as a reference. - - - - Gets or sets the the type name handling used when serializing the property's collection items. - - The collection's items type name handling. - - - - Gets or sets the the reference loop handling used when serializing the property's collection items. - - The collection's items reference loop handling. - - - - A collection of objects. - - - - - Initializes a new instance of the class. - - The type. - - - - When implemented in a derived class, extracts the key from the specified element. - - The element from which to extract the key. - The key for the specified element. - - - - Adds a object. - - The property to add to the collection. - - - - Gets the closest matching object. - First attempts to get an exact case match of propertyName and then - a case insensitive match. - - Name of the property. - A matching property if found. - - - - Gets a property by property name. - - The name of the property to get. - Type property name string comparison. - A matching property if found. - - - - Contract details for a used by the . - - - - - Initializes a new instance of the class. - - The underlying type for the contract. - - - - Represents a trace writer that writes to memory. When the trace message limit is - reached then old trace messages will be removed as new messages are added. - - - - - Initializes a new instance of the class. - - - - - Writes the specified trace level, message and optional exception. - - The at which to write this trace. - The trace message. - The trace exception. This parameter is optional. - - - - Returns an enumeration of the most recent trace messages. - - An enumeration of the most recent trace messages. - - - - Returns a of the most recent trace messages. - - - A of the most recent trace messages. - - - - - Gets the that will be used to filter the trace messages passed to the writer. - For example a filter level of Info will exclude Verbose messages and include Info, - Warning and Error messages. - - - The that will be used to filter the trace messages passed to the writer. - - - - - Represents a method that constructs an object. - - The object type to create. - - - - When applied to a method, specifies that the method is called when an error occurs serializing an object. - - - - - Get and set values for a using reflection. - - - - - Initializes a new instance of the class. - - The member info. - - - - Sets the value. - - The target to set the value on. - The value to set on the target. - - - - Gets the value. - - The target to get the value from. - The value. - - - - Specifies how strings are escaped when writing JSON text. - - - - - Only control characters (e.g. newline) are escaped. - - - - - All non-ASCII and control characters (e.g. newline) are escaped. - - - - - HTML (<, >, &, ', ") and control characters (e.g. newline) are escaped. - - - - - Specifies what messages to output for the class. - - - - - Output no tracing and debugging messages. - - - - - Output error-handling messages. - - - - - Output warnings and error-handling messages. - - - - - Output informational messages, warnings, and error-handling messages. - - - - - Output all debugging and tracing messages. - - - - - Specifies type name handling options for the . - - - - - Do not include the .NET type name when serializing types. - - - - - Include the .NET type name when serializing into a JSON object structure. - - - - - Include the .NET type name when serializing into a JSON array structure. - - - - - Always include the .NET type name when serializing. - - - - - Include the .NET type name when the type of the object being serialized is not the same as its declared type. - - - - - Determines whether the collection is null or empty. - - The collection. - - true if the collection is null or empty; otherwise, false. - - - - - Adds the elements of the specified collection to the specified generic IList. - - The list to add to. - The collection of elements to add. - - - - Returns the index of the first occurrence in a sequence by using a specified IEqualityComparer. - - The type of the elements of source. - A sequence in which to locate a value. - The object to locate in the sequence - An equality comparer to compare values. - The zero-based index of the first occurrence of value within the entire sequence, if found; otherwise, –1. - - - - Converts the value to the specified type. If the value is unable to be converted, the - value is checked whether it assignable to the specified type. - - The value to convert. - The culture to use when converting. - The type to convert or cast the value to. - - The converted type. If conversion was unsuccessful, the initial value - is returned if assignable to the target type. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic that returns a result - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Helper method for generating a MetaObject which calls a - specific method on Dynamic, but uses one of the arguments for - the result. - - - - - Returns a Restrictions object which includes our current restrictions merged - with a restriction limiting our type - - - - - Gets a dictionary of the names and values of an Enum type. - - - - - - Gets a dictionary of the names and values of an Enum type. - - The enum type to get names and values for. - - - - - Gets the type of the typed collection's items. - - The type. - The type of the typed collection's items. - - - - Gets the member's underlying type. - - The member. - The underlying type of the member. - - - - Determines whether the member is an indexed property. - - The member. - - true if the member is an indexed property; otherwise, false. - - - - - Determines whether the property is an indexed property. - - The property. - - true if the property is an indexed property; otherwise, false. - - - - - Gets the member's value on the object. - - The member. - The target object. - The member's value on the object. - - - - Sets the member's value on the target object. - - The member. - The target. - The value. - - - - Determines whether the specified MemberInfo can be read. - - The MemberInfo to determine whether can be read. - /// if set to true then allow the member to be gotten non-publicly. - - true if the specified MemberInfo can be read; otherwise, false. - - - - - Determines whether the specified MemberInfo can be set. - - The MemberInfo to determine whether can be set. - if set to true then allow the member to be set non-publicly. - if set to true then allow the member to be set if read-only. - - true if the specified MemberInfo can be set; otherwise, false. - - - - - Builds a string. Unlike StringBuilder this class lets you reuse it's internal buffer. - - - - - Determines whether the string is all white space. Empty string will return false. - - The string to test whether it is all white space. - - true if the string is all white space; otherwise, false. - - - - - Nulls an empty string. - - The string. - Null if the string was null, otherwise the string unchanged. - - - - Specifies the state of the . - - - - - An exception has been thrown, which has left the in an invalid state. - You may call the method to put the in the Closed state. - Any other method calls results in an being thrown. - - - - - The method has been called. - - - - - An object is being written. - - - - - A array is being written. - - - - - A constructor is being written. - - - - - A property is being written. - - - - - A write method has not been called. - - - - diff --git a/packages/Newtonsoft.Json.6.0.4/tools/install.ps1 b/packages/Newtonsoft.Json.6.0.4/tools/install.ps1 deleted file mode 100644 index dfc78f0..0000000 --- a/packages/Newtonsoft.Json.6.0.4/tools/install.ps1 +++ /dev/null @@ -1,93 +0,0 @@ -param($installPath, $toolsPath, $package, $project) - -# open json.net splash page on package install -# don't open if json.net is installed as a dependency - -try -{ - $url = "http://james.newtonking.com/json" - $dte2 = Get-Interface $dte ([EnvDTE80.DTE2]) - - if ($dte2.ActiveWindow.Caption -eq "Package Manager Console") - { - # user is installing from VS NuGet console - # get reference to the window, the console host and the input history - # show webpage if "install-package newtonsoft.json" was last input - - $consoleWindow = $(Get-VSComponentModel).GetService([NuGetConsole.IPowerConsoleWindow]) - - $props = $consoleWindow.GetType().GetProperties([System.Reflection.BindingFlags]::Instance -bor ` - [System.Reflection.BindingFlags]::NonPublic) - - $prop = $props | ? { $_.Name -eq "ActiveHostInfo" } | select -first 1 - if ($prop -eq $null) { return } - - $hostInfo = $prop.GetValue($consoleWindow) - if ($hostInfo -eq $null) { return } - - $history = $hostInfo.WpfConsole.InputHistory.History - - $lastCommand = $history | select -last 1 - - if ($lastCommand) - { - $lastCommand = $lastCommand.Trim().ToLower() - if ($lastCommand.StartsWith("install-package") -and $lastCommand.Contains("newtonsoft.json")) - { - $dte2.ItemOperations.Navigate($url) | Out-Null - } - } - } - else - { - # user is installing from VS NuGet dialog - # get reference to the window, then smart output console provider - # show webpage if messages in buffered console contains "installing...newtonsoft.json" in last operation - - $instanceField = [NuGet.Dialog.PackageManagerWindow].GetField("CurrentInstance", [System.Reflection.BindingFlags]::Static -bor ` - [System.Reflection.BindingFlags]::NonPublic) - $consoleField = [NuGet.Dialog.PackageManagerWindow].GetField("_smartOutputConsoleProvider", [System.Reflection.BindingFlags]::Instance -bor ` - [System.Reflection.BindingFlags]::NonPublic) - if ($instanceField -eq $null -or $consoleField -eq $null) { return } - - $instance = $instanceField.GetValue($null) - if ($instance -eq $null) { return } - - $consoleProvider = $consoleField.GetValue($instance) - if ($consoleProvider -eq $null) { return } - - $console = $consoleProvider.CreateOutputConsole($false) - - $messagesField = $console.GetType().GetField("_messages", [System.Reflection.BindingFlags]::Instance -bor ` - [System.Reflection.BindingFlags]::NonPublic) - if ($messagesField -eq $null) { return } - - $messages = $messagesField.GetValue($console) - if ($messages -eq $null) { return } - - $operations = $messages -split "==============================" - - $lastOperation = $operations | select -last 1 - - if ($lastOperation) - { - $lastOperation = $lastOperation.ToLower() - - $lines = $lastOperation -split "`r`n" - - $installMatch = $lines | ? { $_.StartsWith("------- installing...newtonsoft.json ") } | select -first 1 - - if ($installMatch) - { - $dte2.ItemOperations.Navigate($url) | Out-Null - } - } - } -} -catch -{ - # stop potential errors from bubbling up - # worst case the splash page won't open -} - -# yolo \ No newline at end of file diff --git a/packages/RapidRegex.Core.1.0.0.2/RapidRegex.Core.1.0.0.2.nupkg b/packages/RapidRegex.Core.1.0.0.2/RapidRegex.Core.1.0.0.2.nupkg deleted file mode 100644 index 73a2b4a..0000000 Binary files a/packages/RapidRegex.Core.1.0.0.2/RapidRegex.Core.1.0.0.2.nupkg and /dev/null differ diff --git a/packages/RapidRegex.Core.1.0.0.2/lib/net40/RapidRegex.Core.dll b/packages/RapidRegex.Core.1.0.0.2/lib/net40/RapidRegex.Core.dll deleted file mode 100644 index 6ba5e8e..0000000 Binary files a/packages/RapidRegex.Core.1.0.0.2/lib/net40/RapidRegex.Core.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/RestSharp.104.4.0.nupkg b/packages/RestSharp.104.4.0/RestSharp.104.4.0.nupkg deleted file mode 100644 index fcbf9e9..0000000 Binary files a/packages/RestSharp.104.4.0/RestSharp.104.4.0.nupkg and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/net35-client/RestSharp.dll b/packages/RestSharp.104.4.0/lib/net35-client/RestSharp.dll deleted file mode 100644 index 2e65b63..0000000 Binary files a/packages/RestSharp.104.4.0/lib/net35-client/RestSharp.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/net35-client/RestSharp.xml b/packages/RestSharp.104.4.0/lib/net35-client/RestSharp.xml deleted file mode 100644 index 2a4080b..0000000 --- a/packages/RestSharp.104.4.0/lib/net35-client/RestSharp.xml +++ /dev/null @@ -1,2714 +0,0 @@ - - - - RestSharp - - - - - Tries to Authenticate with the credentials of the currently logged in user, or impersonate a user - - - - - Authenticate with the credentials of the currently logged in user - - - - - Authenticate by impersonation - - - - - - - Authenticate by impersonation, using an existing ICredentials instance - - - - - - - - - Base class for OAuth 2 Authenticators. - - - Since there are many ways to authenticate in OAuth2, - this is used as a base class to differentiate between - other authenticators. - - Any other OAuth2 authenticators must derive from this - abstract class. - - - - - Access token to be used when authenticating. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Gets the access token. - - - - - The OAuth 2 authenticator using URI query parameter. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.2 - - - - - Initializes a new instance of the class. - - - The access token. - - - - - The OAuth 2 authenticator using the authorization request header field. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.1 - - - - - Stores the Authorization header value as "[tokenType] accessToken". used for performance. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Initializes a new instance of the class. - - - The access token. - - - The token type. - - - - - All text parameters are UTF-8 encoded (per section 5.1). - - - - - - Generates a random 16-byte lowercase alphanumeric string. - - - - - - - Generates a timestamp based on the current elapsed seconds since '01/01/1970 0000 GMT" - - - - - - - Generates a timestamp based on the elapsed seconds of a given time since '01/01/1970 0000 GMT" - - - A specified point in time. - - - - - The set of characters that are unreserved in RFC 2396 but are NOT unreserved in RFC 3986. - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - The value to escape. - The escaped value. - - The method is supposed to take on - RFC 3986 behavior if certain elements are present in a .config file. Even if this - actually worked (which in my experiments it doesn't), we can't rely on every - host actually having this configuration element present. - - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - - - - - - Sorts a collection of key-value pairs by name, and then value if equal, - concatenating them into a single string. This string should be encoded - prior to, or after normalization is run. - - - - - - - - Sorts a by name, and then value if equal. - - A collection of parameters to sort - A sorted parameter collection - - - - Creates a request URL suitable for making OAuth requests. - Resulting URLs must exclude port 80 or port 443 when accompanied by HTTP and HTTPS, respectively. - Resulting URLs must be lower case. - - - The original request URL - - - - - Creates a request elements concatentation value to send with a request. - This is also known as the signature base. - - - - The request's HTTP method type - The request URL - The request's parameters - A signature base string - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The signature base - The consumer secret - The token secret - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer secret - The token secret - - - - - A class to encapsulate OAuth authentication flow. - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - Any existing, non-OAuth query parameters desired in the request - - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - Generates a instance to pass to an - for the purpose of exchanging user credentials - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - - - - - - - - - - Allows control how class and property names and values are deserialized by XmlAttributeDeserializer - - - - - The name to use for the serialized element - - - - - Sets if the property to Deserialize is an Attribute or Element (Default: false) - - - - - Decodes an HTML-encoded string and returns the decoded string. - - The HTML string to decode. - The decoded text. - - - - Decodes an HTML-encoded string and sends the resulting output to a TextWriter output stream. - - The HTML string to decode - The TextWriter output stream containing the decoded string. - - - - HTML-encodes a string and sends the resulting output to a TextWriter output stream. - - The string to encode. - The TextWriter output stream containing the encoded string. - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Request to be executed - Callback function to be executed upon completion - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Target deserialization type - Request to be executed - Callback function to be executed upon completion providing access to the async handle - - - - Add a parameter to use on every request made with this client instance - - The IRestClient instance - Parameter to add - - - - - Removes a parameter from the default parameters that are used on every request made with this client instance - - The IRestClient instance - The name of the parameter that needs to be removed - - - - - Adds a HTTP parameter (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - Used on every request made by this client instance - - The IRestClient instance - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - The IRestClient instance - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddDefaultParameter(name, value, HttpHeader) overload - - The IRestClient instance - Name of the header to add - Value of the header to add - - - - - Shortcut to AddDefaultParameter(name, value, UrlSegment) overload - - The IRestClient instance - Name of the segment to add - Value of the segment to add - - - - - Uses Uri.EscapeDataString() based on recommendations on MSDN - http://blogs.msdn.com/b/yangxind/archive/2006/11/09/don-t-use-net-system-uri-unescapedatastring-in-url-decoding.aspx - - - - - Check that a string is not null or empty - - String to check - bool - - - - Remove underscores from a string - - String to process - string - - - - Parses most common JSON date formats - - JSON value to parse - DateTime - - - - Remove leading and trailing " from a string - - String to parse - String - - - - Checks a string to see if it matches a regex - - String to check - Pattern to match - bool - - - - Converts a string to pascal case - - String to convert - string - - - - Converts a string to pascal case with the option to remove underscores - - String to convert - Option to remove underscores - - - - - Converts a string to camel case - - String to convert - String - - - - Convert the first letter of a string to lower case - - String to convert - string - - - - Checks to see if a string is all uppper case - - String to check - bool - - - - Add underscores to a pascal-cased string - - String to convert - string - - - - Add dashes to a pascal-cased string - - String to convert - string - - - - Add an undescore prefix to a pascasl-cased string - - - - - - - Return possible variants of a name for name matching. - - String to convert - The culture to use for conversion - IEnumerable<string> - - - - HttpWebRequest wrapper (sync methods) - - - HttpWebRequest wrapper - - - HttpWebRequest wrapper (async methods) - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - Execute a POST request - - - - - Execute a PUT request - - - - - Execute a GET request - - - - - Execute a HEAD request - - - - - Execute an OPTIONS request - - - - - Execute a DELETE request - - - - - Execute a PATCH request - - - - - Execute a GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute a POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Creates an IHttp - - - - - - Default constructor - - - - - Execute an async POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute an async GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - True if this HTTP request has any HTTP parameters - - - - - True if this HTTP request has any HTTP cookies - - - - - True if a request body has been specified - - - - - True if files have been set to be uploaded - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - UserAgent to be sent with request - - - - - Timeout in milliseconds to be used for the request - - - - - System.Net.ICredentials to be sent with request - - - - - The System.Net.CookieContainer to be used for the request - - - - - The method to use to write the response instead of reading into RawBytes - - - - - Collection of files to be sent with request - - - - - Whether or not HTTP 3xx response redirects should be automatically followed - - - - - X509CertificateCollection to be sent with request - - - - - Maximum number of automatic redirects to follow if FollowRedirects is true - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. - - - - - HTTP headers to be sent with request - - - - - HTTP parameters (QueryString or Form values) to be sent with request - - - - - HTTP cookies to be sent with request - - - - - Request body to be sent with request - - - - - Content type of the request body. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - URL to call for this request - - - - - Proxy info to be sent with request - - - - - Representation of an HTTP cookie - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - HTTP response data - - - - - HTTP response data - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Default constructor - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - Lazy-loaded string representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Types of parameters that can be added to requests - - - - - Data formats - - - - - HTTP method to use when making requests - - - - - Format strings for commonly-used date formats - - - - - .NET format string for ISO 8601 date format - - - - - .NET format string for roundtrip date format - - - - - Status for responses (surprised?) - - - - - Extension method overload! - - - - - Save a byte array to a file - - Bytes to save - Full path to save file to - - - - Read a stream into a byte array - - Stream to read - byte[] - - - - Copies bytes from one stream to another - - The input stream. - The output stream. - - - - Converts a byte array to a string, using its byte order mark to convert it to the right encoding. - http://www.shrinkrays.net/code-snippets/csharp/an-extension-method-for-converting-a-byte-array-to-a-string.aspx - - An array of bytes to convert - The byte as a string. - - - - Reflection extensions - - - - - Retrieve an attribute from a member (property) - - Type of attribute to retrieve - Member to retrieve attribute from - - - - - Retrieve an attribute from a type - - Type of attribute to retrieve - Type to retrieve attribute from - - - - - Checks a type to see if it derives from a raw generic (e.g. List[[]]) - - - - - - - - Find a value from a System.Enum by trying several possible variants - of the string value of the enum. - - Type of enum - Value for which to search - The culture used to calculate the name variants - - - - - XML Extension Methods - - - - - Returns the name of an element with the namespace if specified - - Element name - XML Namespace - - - - - Container for files to be uploaded with requests - - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The content type to use in the request. - The - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The using the default content type. - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Container for HTTP file - - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Representation of an HTTP header - - - - - Name of the header - - - - - Value of the header - - - - - Representation of an HTTP parameter (QueryString or Form value) - - - - - Name of the parameter - - - - - Value of the parameter - - - - - - - - - - - - - - - - - - - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - X509CertificateCollection to be sent with request - - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are five types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - Cookie: Adds the name/value pair to the HTTP request's Cookies collection - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container for data sent back from API - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exceptions thrown during the request, if any. - - Will contain only network transport or framework exceptions thrown during the request. HTTP protocol errors are handled by RestSharp and will not appear here. - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Base class for common properties shared by RestResponse and RestResponse[[T]] - - - - - Default constructor - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - The exception thrown during the request, if any - - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Container for data sent back from API - - - - - Parameter container for REST requests - - - - - Return a human-readable representation of this parameter - - String - - - - Name of the parameter - - - - - Value of the parameter - - - - - Type of the parameter - - - - - Client to translate RestRequests into Http requests and process response result - - - - - Default constructor that registers default content handlers - - - - - Sets the BaseUrl property for requests made by this client instance - - - - - - Registers a content handler to process response content - - MIME content type of the response content - Deserializer to use to process content - - - - Remove a content handler for the specified MIME content type - - MIME content type to remove - - - - Remove all content handlers - - - - - Retrieve the handler for the specified MIME content type - - MIME content type to retrieve - IDeserializer instance - - - - Assembles URL to call based on parameters, method and resource - - RestRequest to execute - Assembled System.Uri - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes the specified request and downloads the response data - - Request to execute - Response data - - - - Executes the request and returns a response, authenticating if needed - - Request to be executed - RestResponse - - - - Executes the specified request and deserializes the response content using the appropriate content handler - - Target deserialization type - Request to execute - RestResponse[[T]] with deserialized data in Data property - - - - Parameters included with every request made with this instance of RestClient - If specified in both client and request, the request wins - - - - - Maximum number of redirects to follow if FollowRedirects is true - - - - - X509CertificateCollection to be sent with request - - - - - Proxy to use for requests made by this client instance. - Passed on to underlying WebRequest if set. - - - - - Default is true. Determine whether or not requests that result in - HTTP status codes of 3xx should follow returned redirect - - - - - The CookieContainer used for requests made by this client instance - - - - - UserAgent to use for requests made by this client instance - - - - - Timeout in milliseconds to use for requests made by this client instance - - - - - Whether to invoke async callbacks using the SynchronizationContext.Current captured when invoked - - - - - Authenticator to use for requests made by this client instance - - - - - Combined with Request.Resource to construct URL for request - Should include scheme and domain without trailing slash. - - - client.BaseUrl = "http://example.com"; - - - - - Container for data used to make requests - - - - - Default constructor - - - - - Sets Method property to value of method - - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Internal Method so that RestClient can increase the number of attempts - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - A function to run prior to deserializing starting (e.g. change settings if error encountered) - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Gets or sets a user-defined state object that contains information about a request and which can be later - retrieved when the request completes. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Encoding for serialized content - - - - - Need to subclass StringWriter in order to override Encoding - - - - - Default JSON serializer for request bodies - Doesn't currently use the SerializeAs attribute, defers to Newtonsoft's attributes - - - - - Default serializer - - - - - Serialize the object as JSON - - Object to serialize - JSON as String - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Content type for serialized content - - - - - Allows control how class and property names and values are serialized by XmlSerializer - Currently not supported with the JsonSerializer - When specified at the property level the class-level specification is overridden - - - - - Called by the attribute when NameStyle is speficied - - The string to transform - String - - - - The name to use for the serialized element - - - - - Sets the value to be serialized as an Attribute instead of an Element - - - - - The culture to use when serializing - - - - - Transforms the casing of the name based on the selected value. - - - - - The order to serialize the element. Default is int.MaxValue. - - - - - Options for transforming casing of element names - - - - - Default XML Serializer - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - - Helper methods for validating values - - - - - Validate an integer value is between the specified values (exclusive of min/max) - - Value to validate - Exclusive minimum value - Exclusive maximum value - - - - Validate a string length - - String to be validated - Maximum length of the string - - - - Helper methods for validating required values - - - - - Require a parameter to not be null - - Name of the parameter - Value of the parameter - - - diff --git a/packages/RestSharp.104.4.0/lib/net35/RestSharp.dll b/packages/RestSharp.104.4.0/lib/net35/RestSharp.dll deleted file mode 100644 index 2e65b63..0000000 Binary files a/packages/RestSharp.104.4.0/lib/net35/RestSharp.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/net35/RestSharp.xml b/packages/RestSharp.104.4.0/lib/net35/RestSharp.xml deleted file mode 100644 index 2a4080b..0000000 --- a/packages/RestSharp.104.4.0/lib/net35/RestSharp.xml +++ /dev/null @@ -1,2714 +0,0 @@ - - - - RestSharp - - - - - Tries to Authenticate with the credentials of the currently logged in user, or impersonate a user - - - - - Authenticate with the credentials of the currently logged in user - - - - - Authenticate by impersonation - - - - - - - Authenticate by impersonation, using an existing ICredentials instance - - - - - - - - - Base class for OAuth 2 Authenticators. - - - Since there are many ways to authenticate in OAuth2, - this is used as a base class to differentiate between - other authenticators. - - Any other OAuth2 authenticators must derive from this - abstract class. - - - - - Access token to be used when authenticating. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Gets the access token. - - - - - The OAuth 2 authenticator using URI query parameter. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.2 - - - - - Initializes a new instance of the class. - - - The access token. - - - - - The OAuth 2 authenticator using the authorization request header field. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.1 - - - - - Stores the Authorization header value as "[tokenType] accessToken". used for performance. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Initializes a new instance of the class. - - - The access token. - - - The token type. - - - - - All text parameters are UTF-8 encoded (per section 5.1). - - - - - - Generates a random 16-byte lowercase alphanumeric string. - - - - - - - Generates a timestamp based on the current elapsed seconds since '01/01/1970 0000 GMT" - - - - - - - Generates a timestamp based on the elapsed seconds of a given time since '01/01/1970 0000 GMT" - - - A specified point in time. - - - - - The set of characters that are unreserved in RFC 2396 but are NOT unreserved in RFC 3986. - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - The value to escape. - The escaped value. - - The method is supposed to take on - RFC 3986 behavior if certain elements are present in a .config file. Even if this - actually worked (which in my experiments it doesn't), we can't rely on every - host actually having this configuration element present. - - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - - - - - - Sorts a collection of key-value pairs by name, and then value if equal, - concatenating them into a single string. This string should be encoded - prior to, or after normalization is run. - - - - - - - - Sorts a by name, and then value if equal. - - A collection of parameters to sort - A sorted parameter collection - - - - Creates a request URL suitable for making OAuth requests. - Resulting URLs must exclude port 80 or port 443 when accompanied by HTTP and HTTPS, respectively. - Resulting URLs must be lower case. - - - The original request URL - - - - - Creates a request elements concatentation value to send with a request. - This is also known as the signature base. - - - - The request's HTTP method type - The request URL - The request's parameters - A signature base string - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The signature base - The consumer secret - The token secret - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer secret - The token secret - - - - - A class to encapsulate OAuth authentication flow. - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - Any existing, non-OAuth query parameters desired in the request - - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - Generates a instance to pass to an - for the purpose of exchanging user credentials - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - - - - - - - - - - Allows control how class and property names and values are deserialized by XmlAttributeDeserializer - - - - - The name to use for the serialized element - - - - - Sets if the property to Deserialize is an Attribute or Element (Default: false) - - - - - Decodes an HTML-encoded string and returns the decoded string. - - The HTML string to decode. - The decoded text. - - - - Decodes an HTML-encoded string and sends the resulting output to a TextWriter output stream. - - The HTML string to decode - The TextWriter output stream containing the decoded string. - - - - HTML-encodes a string and sends the resulting output to a TextWriter output stream. - - The string to encode. - The TextWriter output stream containing the encoded string. - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Request to be executed - Callback function to be executed upon completion - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Target deserialization type - Request to be executed - Callback function to be executed upon completion providing access to the async handle - - - - Add a parameter to use on every request made with this client instance - - The IRestClient instance - Parameter to add - - - - - Removes a parameter from the default parameters that are used on every request made with this client instance - - The IRestClient instance - The name of the parameter that needs to be removed - - - - - Adds a HTTP parameter (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - Used on every request made by this client instance - - The IRestClient instance - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - The IRestClient instance - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddDefaultParameter(name, value, HttpHeader) overload - - The IRestClient instance - Name of the header to add - Value of the header to add - - - - - Shortcut to AddDefaultParameter(name, value, UrlSegment) overload - - The IRestClient instance - Name of the segment to add - Value of the segment to add - - - - - Uses Uri.EscapeDataString() based on recommendations on MSDN - http://blogs.msdn.com/b/yangxind/archive/2006/11/09/don-t-use-net-system-uri-unescapedatastring-in-url-decoding.aspx - - - - - Check that a string is not null or empty - - String to check - bool - - - - Remove underscores from a string - - String to process - string - - - - Parses most common JSON date formats - - JSON value to parse - DateTime - - - - Remove leading and trailing " from a string - - String to parse - String - - - - Checks a string to see if it matches a regex - - String to check - Pattern to match - bool - - - - Converts a string to pascal case - - String to convert - string - - - - Converts a string to pascal case with the option to remove underscores - - String to convert - Option to remove underscores - - - - - Converts a string to camel case - - String to convert - String - - - - Convert the first letter of a string to lower case - - String to convert - string - - - - Checks to see if a string is all uppper case - - String to check - bool - - - - Add underscores to a pascal-cased string - - String to convert - string - - - - Add dashes to a pascal-cased string - - String to convert - string - - - - Add an undescore prefix to a pascasl-cased string - - - - - - - Return possible variants of a name for name matching. - - String to convert - The culture to use for conversion - IEnumerable<string> - - - - HttpWebRequest wrapper (sync methods) - - - HttpWebRequest wrapper - - - HttpWebRequest wrapper (async methods) - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - Execute a POST request - - - - - Execute a PUT request - - - - - Execute a GET request - - - - - Execute a HEAD request - - - - - Execute an OPTIONS request - - - - - Execute a DELETE request - - - - - Execute a PATCH request - - - - - Execute a GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute a POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Creates an IHttp - - - - - - Default constructor - - - - - Execute an async POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute an async GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - True if this HTTP request has any HTTP parameters - - - - - True if this HTTP request has any HTTP cookies - - - - - True if a request body has been specified - - - - - True if files have been set to be uploaded - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - UserAgent to be sent with request - - - - - Timeout in milliseconds to be used for the request - - - - - System.Net.ICredentials to be sent with request - - - - - The System.Net.CookieContainer to be used for the request - - - - - The method to use to write the response instead of reading into RawBytes - - - - - Collection of files to be sent with request - - - - - Whether or not HTTP 3xx response redirects should be automatically followed - - - - - X509CertificateCollection to be sent with request - - - - - Maximum number of automatic redirects to follow if FollowRedirects is true - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. - - - - - HTTP headers to be sent with request - - - - - HTTP parameters (QueryString or Form values) to be sent with request - - - - - HTTP cookies to be sent with request - - - - - Request body to be sent with request - - - - - Content type of the request body. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - URL to call for this request - - - - - Proxy info to be sent with request - - - - - Representation of an HTTP cookie - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - HTTP response data - - - - - HTTP response data - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Default constructor - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - Lazy-loaded string representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Types of parameters that can be added to requests - - - - - Data formats - - - - - HTTP method to use when making requests - - - - - Format strings for commonly-used date formats - - - - - .NET format string for ISO 8601 date format - - - - - .NET format string for roundtrip date format - - - - - Status for responses (surprised?) - - - - - Extension method overload! - - - - - Save a byte array to a file - - Bytes to save - Full path to save file to - - - - Read a stream into a byte array - - Stream to read - byte[] - - - - Copies bytes from one stream to another - - The input stream. - The output stream. - - - - Converts a byte array to a string, using its byte order mark to convert it to the right encoding. - http://www.shrinkrays.net/code-snippets/csharp/an-extension-method-for-converting-a-byte-array-to-a-string.aspx - - An array of bytes to convert - The byte as a string. - - - - Reflection extensions - - - - - Retrieve an attribute from a member (property) - - Type of attribute to retrieve - Member to retrieve attribute from - - - - - Retrieve an attribute from a type - - Type of attribute to retrieve - Type to retrieve attribute from - - - - - Checks a type to see if it derives from a raw generic (e.g. List[[]]) - - - - - - - - Find a value from a System.Enum by trying several possible variants - of the string value of the enum. - - Type of enum - Value for which to search - The culture used to calculate the name variants - - - - - XML Extension Methods - - - - - Returns the name of an element with the namespace if specified - - Element name - XML Namespace - - - - - Container for files to be uploaded with requests - - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The content type to use in the request. - The - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The using the default content type. - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Container for HTTP file - - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Representation of an HTTP header - - - - - Name of the header - - - - - Value of the header - - - - - Representation of an HTTP parameter (QueryString or Form value) - - - - - Name of the parameter - - - - - Value of the parameter - - - - - - - - - - - - - - - - - - - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - X509CertificateCollection to be sent with request - - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are five types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - Cookie: Adds the name/value pair to the HTTP request's Cookies collection - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container for data sent back from API - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exceptions thrown during the request, if any. - - Will contain only network transport or framework exceptions thrown during the request. HTTP protocol errors are handled by RestSharp and will not appear here. - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Base class for common properties shared by RestResponse and RestResponse[[T]] - - - - - Default constructor - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - The exception thrown during the request, if any - - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Container for data sent back from API - - - - - Parameter container for REST requests - - - - - Return a human-readable representation of this parameter - - String - - - - Name of the parameter - - - - - Value of the parameter - - - - - Type of the parameter - - - - - Client to translate RestRequests into Http requests and process response result - - - - - Default constructor that registers default content handlers - - - - - Sets the BaseUrl property for requests made by this client instance - - - - - - Registers a content handler to process response content - - MIME content type of the response content - Deserializer to use to process content - - - - Remove a content handler for the specified MIME content type - - MIME content type to remove - - - - Remove all content handlers - - - - - Retrieve the handler for the specified MIME content type - - MIME content type to retrieve - IDeserializer instance - - - - Assembles URL to call based on parameters, method and resource - - RestRequest to execute - Assembled System.Uri - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes the specified request and downloads the response data - - Request to execute - Response data - - - - Executes the request and returns a response, authenticating if needed - - Request to be executed - RestResponse - - - - Executes the specified request and deserializes the response content using the appropriate content handler - - Target deserialization type - Request to execute - RestResponse[[T]] with deserialized data in Data property - - - - Parameters included with every request made with this instance of RestClient - If specified in both client and request, the request wins - - - - - Maximum number of redirects to follow if FollowRedirects is true - - - - - X509CertificateCollection to be sent with request - - - - - Proxy to use for requests made by this client instance. - Passed on to underlying WebRequest if set. - - - - - Default is true. Determine whether or not requests that result in - HTTP status codes of 3xx should follow returned redirect - - - - - The CookieContainer used for requests made by this client instance - - - - - UserAgent to use for requests made by this client instance - - - - - Timeout in milliseconds to use for requests made by this client instance - - - - - Whether to invoke async callbacks using the SynchronizationContext.Current captured when invoked - - - - - Authenticator to use for requests made by this client instance - - - - - Combined with Request.Resource to construct URL for request - Should include scheme and domain without trailing slash. - - - client.BaseUrl = "http://example.com"; - - - - - Container for data used to make requests - - - - - Default constructor - - - - - Sets Method property to value of method - - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Internal Method so that RestClient can increase the number of attempts - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - A function to run prior to deserializing starting (e.g. change settings if error encountered) - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Gets or sets a user-defined state object that contains information about a request and which can be later - retrieved when the request completes. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Encoding for serialized content - - - - - Need to subclass StringWriter in order to override Encoding - - - - - Default JSON serializer for request bodies - Doesn't currently use the SerializeAs attribute, defers to Newtonsoft's attributes - - - - - Default serializer - - - - - Serialize the object as JSON - - Object to serialize - JSON as String - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Content type for serialized content - - - - - Allows control how class and property names and values are serialized by XmlSerializer - Currently not supported with the JsonSerializer - When specified at the property level the class-level specification is overridden - - - - - Called by the attribute when NameStyle is speficied - - The string to transform - String - - - - The name to use for the serialized element - - - - - Sets the value to be serialized as an Attribute instead of an Element - - - - - The culture to use when serializing - - - - - Transforms the casing of the name based on the selected value. - - - - - The order to serialize the element. Default is int.MaxValue. - - - - - Options for transforming casing of element names - - - - - Default XML Serializer - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - - Helper methods for validating values - - - - - Validate an integer value is between the specified values (exclusive of min/max) - - Value to validate - Exclusive minimum value - Exclusive maximum value - - - - Validate a string length - - String to be validated - Maximum length of the string - - - - Helper methods for validating required values - - - - - Require a parameter to not be null - - Name of the parameter - Value of the parameter - - - diff --git a/packages/RestSharp.104.4.0/lib/net4-client/RestSharp.dll b/packages/RestSharp.104.4.0/lib/net4-client/RestSharp.dll deleted file mode 100644 index c3e73d0..0000000 Binary files a/packages/RestSharp.104.4.0/lib/net4-client/RestSharp.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/net4-client/RestSharp.xml b/packages/RestSharp.104.4.0/lib/net4-client/RestSharp.xml deleted file mode 100644 index 6419f37..0000000 --- a/packages/RestSharp.104.4.0/lib/net4-client/RestSharp.xml +++ /dev/null @@ -1,2890 +0,0 @@ - - - - RestSharp - - - - - Tries to Authenticate with the credentials of the currently logged in user, or impersonate a user - - - - - Authenticate with the credentials of the currently logged in user - - - - - Authenticate by impersonation - - - - - - - Authenticate by impersonation, using an existing ICredentials instance - - - - - - - - - Base class for OAuth 2 Authenticators. - - - Since there are many ways to authenticate in OAuth2, - this is used as a base class to differentiate between - other authenticators. - - Any other OAuth2 authenticators must derive from this - abstract class. - - - - - Access token to be used when authenticating. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Gets the access token. - - - - - The OAuth 2 authenticator using URI query parameter. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.2 - - - - - Initializes a new instance of the class. - - - The access token. - - - - - The OAuth 2 authenticator using the authorization request header field. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.1 - - - - - Stores the Authorization header value as "[tokenType] accessToken". used for performance. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Initializes a new instance of the class. - - - The access token. - - - The token type. - - - - - All text parameters are UTF-8 encoded (per section 5.1). - - - - - - Generates a random 16-byte lowercase alphanumeric string. - - - - - - - Generates a timestamp based on the current elapsed seconds since '01/01/1970 0000 GMT" - - - - - - - Generates a timestamp based on the elapsed seconds of a given time since '01/01/1970 0000 GMT" - - - A specified point in time. - - - - - The set of characters that are unreserved in RFC 2396 but are NOT unreserved in RFC 3986. - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - The value to escape. - The escaped value. - - The method is supposed to take on - RFC 3986 behavior if certain elements are present in a .config file. Even if this - actually worked (which in my experiments it doesn't), we can't rely on every - host actually having this configuration element present. - - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - - - - - - Sorts a collection of key-value pairs by name, and then value if equal, - concatenating them into a single string. This string should be encoded - prior to, or after normalization is run. - - - - - - - - Sorts a by name, and then value if equal. - - A collection of parameters to sort - A sorted parameter collection - - - - Creates a request URL suitable for making OAuth requests. - Resulting URLs must exclude port 80 or port 443 when accompanied by HTTP and HTTPS, respectively. - Resulting URLs must be lower case. - - - The original request URL - - - - - Creates a request elements concatentation value to send with a request. - This is also known as the signature base. - - - - The request's HTTP method type - The request URL - The request's parameters - A signature base string - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The signature base - The consumer secret - The token secret - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer secret - The token secret - - - - - A class to encapsulate OAuth authentication flow. - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - Any existing, non-OAuth query parameters desired in the request - - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - Generates a instance to pass to an - for the purpose of exchanging user credentials - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - - - - - - - - - - Allows control how class and property names and values are deserialized by XmlAttributeDeserializer - - - - - The name to use for the serialized element - - - - - Sets if the property to Deserialize is an Attribute or Element (Default: false) - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Types of parameters that can be added to requests - - - - - Data formats - - - - - HTTP method to use when making requests - - - - - Format strings for commonly-used date formats - - - - - .NET format string for ISO 8601 date format - - - - - .NET format string for roundtrip date format - - - - - Status for responses (surprised?) - - - - - Extension method overload! - - - - - Save a byte array to a file - - Bytes to save - Full path to save file to - - - - Read a stream into a byte array - - Stream to read - byte[] - - - - Copies bytes from one stream to another - - The input stream. - The output stream. - - - - Converts a byte array to a string, using its byte order mark to convert it to the right encoding. - http://www.shrinkrays.net/code-snippets/csharp/an-extension-method-for-converting-a-byte-array-to-a-string.aspx - - An array of bytes to convert - The byte as a string. - - - - Decodes an HTML-encoded string and returns the decoded string. - - The HTML string to decode. - The decoded text. - - - - Decodes an HTML-encoded string and sends the resulting output to a TextWriter output stream. - - The HTML string to decode - The TextWriter output stream containing the decoded string. - - - - HTML-encodes a string and sends the resulting output to a TextWriter output stream. - - The string to encode. - The TextWriter output stream containing the encoded string. - - - - Reflection extensions - - - - - Retrieve an attribute from a member (property) - - Type of attribute to retrieve - Member to retrieve attribute from - - - - - Retrieve an attribute from a type - - Type of attribute to retrieve - Type to retrieve attribute from - - - - - Checks a type to see if it derives from a raw generic (e.g. List[[]]) - - - - - - - - Find a value from a System.Enum by trying several possible variants - of the string value of the enum. - - Type of enum - Value for which to search - The culture used to calculate the name variants - - - - - Uses Uri.EscapeDataString() based on recommendations on MSDN - http://blogs.msdn.com/b/yangxind/archive/2006/11/09/don-t-use-net-system-uri-unescapedatastring-in-url-decoding.aspx - - - - - Check that a string is not null or empty - - String to check - bool - - - - Remove underscores from a string - - String to process - string - - - - Parses most common JSON date formats - - JSON value to parse - DateTime - - - - Remove leading and trailing " from a string - - String to parse - String - - - - Checks a string to see if it matches a regex - - String to check - Pattern to match - bool - - - - Converts a string to pascal case - - String to convert - string - - - - Converts a string to pascal case with the option to remove underscores - - String to convert - Option to remove underscores - - - - - Converts a string to camel case - - String to convert - String - - - - Convert the first letter of a string to lower case - - String to convert - string - - - - Checks to see if a string is all uppper case - - String to check - bool - - - - Add underscores to a pascal-cased string - - String to convert - string - - - - Add dashes to a pascal-cased string - - String to convert - string - - - - Add an undescore prefix to a pascasl-cased string - - - - - - - Return possible variants of a name for name matching. - - String to convert - The culture to use for conversion - IEnumerable<string> - - - - XML Extension Methods - - - - - Returns the name of an element with the namespace if specified - - Element name - XML Namespace - - - - - Container for files to be uploaded with requests - - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The content type to use in the request. - The - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The using the default content type. - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - HttpWebRequest wrapper (async methods) - - - HttpWebRequest wrapper - - - HttpWebRequest wrapper (sync methods) - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - Execute an async POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute an async GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Creates an IHttp - - - - - - Default constructor - - - - - Execute a POST request - - - - - Execute a PUT request - - - - - Execute a GET request - - - - - Execute a HEAD request - - - - - Execute an OPTIONS request - - - - - Execute a DELETE request - - - - - Execute a PATCH request - - - - - Execute a GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute a POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - True if this HTTP request has any HTTP parameters - - - - - True if this HTTP request has any HTTP cookies - - - - - True if a request body has been specified - - - - - True if files have been set to be uploaded - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - UserAgent to be sent with request - - - - - Timeout in milliseconds to be used for the request - - - - - System.Net.ICredentials to be sent with request - - - - - The System.Net.CookieContainer to be used for the request - - - - - The method to use to write the response instead of reading into RawBytes - - - - - Collection of files to be sent with request - - - - - Whether or not HTTP 3xx response redirects should be automatically followed - - - - - X509CertificateCollection to be sent with request - - - - - Maximum number of automatic redirects to follow if FollowRedirects is true - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. - - - - - HTTP headers to be sent with request - - - - - HTTP parameters (QueryString or Form values) to be sent with request - - - - - HTTP cookies to be sent with request - - - - - Request body to be sent with request - - - - - Content type of the request body. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - URL to call for this request - - - - - Proxy info to be sent with request - - - - - Representation of an HTTP cookie - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Container for HTTP file - - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Representation of an HTTP header - - - - - Name of the header - - - - - Value of the header - - - - - Representation of an HTTP parameter (QueryString or Form value) - - - - - Name of the parameter - - - - - Value of the parameter - - - - - HTTP response data - - - - - HTTP response data - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Default constructor - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - Lazy-loaded string representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - - - - - - - - - - - - - - - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - X509CertificateCollection to be sent with request - - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are five types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - Cookie: Adds the name/value pair to the HTTP request's Cookies collection - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container for data sent back from API - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exceptions thrown during the request, if any. - - Will contain only network transport or framework exceptions thrown during the request. HTTP protocol errors are handled by RestSharp and will not appear here. - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Parameter container for REST requests - - - - - Return a human-readable representation of this parameter - - String - - - - Name of the parameter - - - - - Value of the parameter - - - - - Type of the parameter - - - - - Client to translate RestRequests into Http requests and process response result - - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes the request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Default constructor that registers default content handlers - - - - - Sets the BaseUrl property for requests made by this client instance - - - - - - Registers a content handler to process response content - - MIME content type of the response content - Deserializer to use to process content - - - - Remove a content handler for the specified MIME content type - - MIME content type to remove - - - - Remove all content handlers - - - - - Retrieve the handler for the specified MIME content type - - MIME content type to retrieve - IDeserializer instance - - - - Assembles URL to call based on parameters, method and resource - - RestRequest to execute - Assembled System.Uri - - - - Executes the specified request and downloads the response data - - Request to execute - Response data - - - - Executes the request and returns a response, authenticating if needed - - Request to be executed - RestResponse - - - - Executes the specified request and deserializes the response content using the appropriate content handler - - Target deserialization type - Request to execute - RestResponse[[T]] with deserialized data in Data property - - - - Parameters included with every request made with this instance of RestClient - If specified in both client and request, the request wins - - - - - Maximum number of redirects to follow if FollowRedirects is true - - - - - X509CertificateCollection to be sent with request - - - - - Proxy to use for requests made by this client instance. - Passed on to underlying WebRequest if set. - - - - - Default is true. Determine whether or not requests that result in - HTTP status codes of 3xx should follow returned redirect - - - - - The CookieContainer used for requests made by this client instance - - - - - UserAgent to use for requests made by this client instance - - - - - Timeout in milliseconds to use for requests made by this client instance - - - - - Whether to invoke async callbacks using the SynchronizationContext.Current captured when invoked - - - - - Authenticator to use for requests made by this client instance - - - - - Combined with Request.Resource to construct URL for request - Should include scheme and domain without trailing slash. - - - client.BaseUrl = "http://example.com"; - - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Request to be executed - Callback function to be executed upon completion - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Target deserialization type - Request to be executed - Callback function to be executed upon completion providing access to the async handle - - - - Add a parameter to use on every request made with this client instance - - The IRestClient instance - Parameter to add - - - - - Removes a parameter from the default parameters that are used on every request made with this client instance - - The IRestClient instance - The name of the parameter that needs to be removed - - - - - Adds a HTTP parameter (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - Used on every request made by this client instance - - The IRestClient instance - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - The IRestClient instance - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddDefaultParameter(name, value, HttpHeader) overload - - The IRestClient instance - Name of the header to add - Value of the header to add - - - - - Shortcut to AddDefaultParameter(name, value, UrlSegment) overload - - The IRestClient instance - Name of the segment to add - Value of the segment to add - - - - - Container for data used to make requests - - - - - Default constructor - - - - - Sets Method property to value of method - - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Internal Method so that RestClient can increase the number of attempts - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - A function to run prior to deserializing starting (e.g. change settings if error encountered) - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Gets or sets a user-defined state object that contains information about a request and which can be later - retrieved when the request completes. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Base class for common properties shared by RestResponse and RestResponse[[T]] - - - - - Default constructor - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - The exception thrown during the request, if any - - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Container for data sent back from API - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Encoding for serialized content - - - - - Need to subclass StringWriter in order to override Encoding - - - - - Default JSON serializer for request bodies - Doesn't currently use the SerializeAs attribute, defers to Newtonsoft's attributes - - - - - Default serializer - - - - - Serialize the object as JSON - - Object to serialize - JSON as String - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Content type for serialized content - - - - - Allows control how class and property names and values are serialized by XmlSerializer - Currently not supported with the JsonSerializer - When specified at the property level the class-level specification is overridden - - - - - Called by the attribute when NameStyle is speficied - - The string to transform - String - - - - The name to use for the serialized element - - - - - Sets the value to be serialized as an Attribute instead of an Element - - - - - The culture to use when serializing - - - - - Transforms the casing of the name based on the selected value. - - - - - The order to serialize the element. Default is int.MaxValue. - - - - - Options for transforming casing of element names - - - - - Default XML Serializer - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Helper methods for validating required values - - - - - Require a parameter to not be null - - Name of the parameter - Value of the parameter - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - - Helper methods for validating values - - - - - Validate an integer value is between the specified values (exclusive of min/max) - - Value to validate - Exclusive minimum value - Exclusive maximum value - - - - Validate a string length - - String to be validated - Maximum length of the string - - - - Convert a to a instance. - - The response status. - - responseStatus - - - diff --git a/packages/RestSharp.104.4.0/lib/net4/RestSharp.dll b/packages/RestSharp.104.4.0/lib/net4/RestSharp.dll deleted file mode 100644 index c3e73d0..0000000 Binary files a/packages/RestSharp.104.4.0/lib/net4/RestSharp.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/net4/RestSharp.xml b/packages/RestSharp.104.4.0/lib/net4/RestSharp.xml deleted file mode 100644 index 6419f37..0000000 --- a/packages/RestSharp.104.4.0/lib/net4/RestSharp.xml +++ /dev/null @@ -1,2890 +0,0 @@ - - - - RestSharp - - - - - Tries to Authenticate with the credentials of the currently logged in user, or impersonate a user - - - - - Authenticate with the credentials of the currently logged in user - - - - - Authenticate by impersonation - - - - - - - Authenticate by impersonation, using an existing ICredentials instance - - - - - - - - - Base class for OAuth 2 Authenticators. - - - Since there are many ways to authenticate in OAuth2, - this is used as a base class to differentiate between - other authenticators. - - Any other OAuth2 authenticators must derive from this - abstract class. - - - - - Access token to be used when authenticating. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Gets the access token. - - - - - The OAuth 2 authenticator using URI query parameter. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.2 - - - - - Initializes a new instance of the class. - - - The access token. - - - - - The OAuth 2 authenticator using the authorization request header field. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.1 - - - - - Stores the Authorization header value as "[tokenType] accessToken". used for performance. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Initializes a new instance of the class. - - - The access token. - - - The token type. - - - - - All text parameters are UTF-8 encoded (per section 5.1). - - - - - - Generates a random 16-byte lowercase alphanumeric string. - - - - - - - Generates a timestamp based on the current elapsed seconds since '01/01/1970 0000 GMT" - - - - - - - Generates a timestamp based on the elapsed seconds of a given time since '01/01/1970 0000 GMT" - - - A specified point in time. - - - - - The set of characters that are unreserved in RFC 2396 but are NOT unreserved in RFC 3986. - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - The value to escape. - The escaped value. - - The method is supposed to take on - RFC 3986 behavior if certain elements are present in a .config file. Even if this - actually worked (which in my experiments it doesn't), we can't rely on every - host actually having this configuration element present. - - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - - - - - - Sorts a collection of key-value pairs by name, and then value if equal, - concatenating them into a single string. This string should be encoded - prior to, or after normalization is run. - - - - - - - - Sorts a by name, and then value if equal. - - A collection of parameters to sort - A sorted parameter collection - - - - Creates a request URL suitable for making OAuth requests. - Resulting URLs must exclude port 80 or port 443 when accompanied by HTTP and HTTPS, respectively. - Resulting URLs must be lower case. - - - The original request URL - - - - - Creates a request elements concatentation value to send with a request. - This is also known as the signature base. - - - - The request's HTTP method type - The request URL - The request's parameters - A signature base string - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The signature base - The consumer secret - The token secret - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer secret - The token secret - - - - - A class to encapsulate OAuth authentication flow. - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - Any existing, non-OAuth query parameters desired in the request - - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - Generates a instance to pass to an - for the purpose of exchanging user credentials - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - - - - - - - - - - Allows control how class and property names and values are deserialized by XmlAttributeDeserializer - - - - - The name to use for the serialized element - - - - - Sets if the property to Deserialize is an Attribute or Element (Default: false) - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Types of parameters that can be added to requests - - - - - Data formats - - - - - HTTP method to use when making requests - - - - - Format strings for commonly-used date formats - - - - - .NET format string for ISO 8601 date format - - - - - .NET format string for roundtrip date format - - - - - Status for responses (surprised?) - - - - - Extension method overload! - - - - - Save a byte array to a file - - Bytes to save - Full path to save file to - - - - Read a stream into a byte array - - Stream to read - byte[] - - - - Copies bytes from one stream to another - - The input stream. - The output stream. - - - - Converts a byte array to a string, using its byte order mark to convert it to the right encoding. - http://www.shrinkrays.net/code-snippets/csharp/an-extension-method-for-converting-a-byte-array-to-a-string.aspx - - An array of bytes to convert - The byte as a string. - - - - Decodes an HTML-encoded string and returns the decoded string. - - The HTML string to decode. - The decoded text. - - - - Decodes an HTML-encoded string and sends the resulting output to a TextWriter output stream. - - The HTML string to decode - The TextWriter output stream containing the decoded string. - - - - HTML-encodes a string and sends the resulting output to a TextWriter output stream. - - The string to encode. - The TextWriter output stream containing the encoded string. - - - - Reflection extensions - - - - - Retrieve an attribute from a member (property) - - Type of attribute to retrieve - Member to retrieve attribute from - - - - - Retrieve an attribute from a type - - Type of attribute to retrieve - Type to retrieve attribute from - - - - - Checks a type to see if it derives from a raw generic (e.g. List[[]]) - - - - - - - - Find a value from a System.Enum by trying several possible variants - of the string value of the enum. - - Type of enum - Value for which to search - The culture used to calculate the name variants - - - - - Uses Uri.EscapeDataString() based on recommendations on MSDN - http://blogs.msdn.com/b/yangxind/archive/2006/11/09/don-t-use-net-system-uri-unescapedatastring-in-url-decoding.aspx - - - - - Check that a string is not null or empty - - String to check - bool - - - - Remove underscores from a string - - String to process - string - - - - Parses most common JSON date formats - - JSON value to parse - DateTime - - - - Remove leading and trailing " from a string - - String to parse - String - - - - Checks a string to see if it matches a regex - - String to check - Pattern to match - bool - - - - Converts a string to pascal case - - String to convert - string - - - - Converts a string to pascal case with the option to remove underscores - - String to convert - Option to remove underscores - - - - - Converts a string to camel case - - String to convert - String - - - - Convert the first letter of a string to lower case - - String to convert - string - - - - Checks to see if a string is all uppper case - - String to check - bool - - - - Add underscores to a pascal-cased string - - String to convert - string - - - - Add dashes to a pascal-cased string - - String to convert - string - - - - Add an undescore prefix to a pascasl-cased string - - - - - - - Return possible variants of a name for name matching. - - String to convert - The culture to use for conversion - IEnumerable<string> - - - - XML Extension Methods - - - - - Returns the name of an element with the namespace if specified - - Element name - XML Namespace - - - - - Container for files to be uploaded with requests - - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The content type to use in the request. - The - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The using the default content type. - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - HttpWebRequest wrapper (async methods) - - - HttpWebRequest wrapper - - - HttpWebRequest wrapper (sync methods) - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - Execute an async POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute an async GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Creates an IHttp - - - - - - Default constructor - - - - - Execute a POST request - - - - - Execute a PUT request - - - - - Execute a GET request - - - - - Execute a HEAD request - - - - - Execute an OPTIONS request - - - - - Execute a DELETE request - - - - - Execute a PATCH request - - - - - Execute a GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute a POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - True if this HTTP request has any HTTP parameters - - - - - True if this HTTP request has any HTTP cookies - - - - - True if a request body has been specified - - - - - True if files have been set to be uploaded - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - UserAgent to be sent with request - - - - - Timeout in milliseconds to be used for the request - - - - - System.Net.ICredentials to be sent with request - - - - - The System.Net.CookieContainer to be used for the request - - - - - The method to use to write the response instead of reading into RawBytes - - - - - Collection of files to be sent with request - - - - - Whether or not HTTP 3xx response redirects should be automatically followed - - - - - X509CertificateCollection to be sent with request - - - - - Maximum number of automatic redirects to follow if FollowRedirects is true - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. - - - - - HTTP headers to be sent with request - - - - - HTTP parameters (QueryString or Form values) to be sent with request - - - - - HTTP cookies to be sent with request - - - - - Request body to be sent with request - - - - - Content type of the request body. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - URL to call for this request - - - - - Proxy info to be sent with request - - - - - Representation of an HTTP cookie - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Container for HTTP file - - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Representation of an HTTP header - - - - - Name of the header - - - - - Value of the header - - - - - Representation of an HTTP parameter (QueryString or Form value) - - - - - Name of the parameter - - - - - Value of the parameter - - - - - HTTP response data - - - - - HTTP response data - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Default constructor - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - Lazy-loaded string representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - - - - - - - - - - - - - - - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - X509CertificateCollection to be sent with request - - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are five types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - Cookie: Adds the name/value pair to the HTTP request's Cookies collection - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container for data sent back from API - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exceptions thrown during the request, if any. - - Will contain only network transport or framework exceptions thrown during the request. HTTP protocol errors are handled by RestSharp and will not appear here. - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Parameter container for REST requests - - - - - Return a human-readable representation of this parameter - - String - - - - Name of the parameter - - - - - Value of the parameter - - - - - Type of the parameter - - - - - Client to translate RestRequests into Http requests and process response result - - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a GET-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes a POST-style request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - - - - Executes the request asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a GET-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - - - - Executes a POST-style asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Executes the request asynchronously, authenticating if needed - - Request to be executed - The cancellation token - - - - Default constructor that registers default content handlers - - - - - Sets the BaseUrl property for requests made by this client instance - - - - - - Registers a content handler to process response content - - MIME content type of the response content - Deserializer to use to process content - - - - Remove a content handler for the specified MIME content type - - MIME content type to remove - - - - Remove all content handlers - - - - - Retrieve the handler for the specified MIME content type - - MIME content type to retrieve - IDeserializer instance - - - - Assembles URL to call based on parameters, method and resource - - RestRequest to execute - Assembled System.Uri - - - - Executes the specified request and downloads the response data - - Request to execute - Response data - - - - Executes the request and returns a response, authenticating if needed - - Request to be executed - RestResponse - - - - Executes the specified request and deserializes the response content using the appropriate content handler - - Target deserialization type - Request to execute - RestResponse[[T]] with deserialized data in Data property - - - - Parameters included with every request made with this instance of RestClient - If specified in both client and request, the request wins - - - - - Maximum number of redirects to follow if FollowRedirects is true - - - - - X509CertificateCollection to be sent with request - - - - - Proxy to use for requests made by this client instance. - Passed on to underlying WebRequest if set. - - - - - Default is true. Determine whether or not requests that result in - HTTP status codes of 3xx should follow returned redirect - - - - - The CookieContainer used for requests made by this client instance - - - - - UserAgent to use for requests made by this client instance - - - - - Timeout in milliseconds to use for requests made by this client instance - - - - - Whether to invoke async callbacks using the SynchronizationContext.Current captured when invoked - - - - - Authenticator to use for requests made by this client instance - - - - - Combined with Request.Resource to construct URL for request - Should include scheme and domain without trailing slash. - - - client.BaseUrl = "http://example.com"; - - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Request to be executed - Callback function to be executed upon completion - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Target deserialization type - Request to be executed - Callback function to be executed upon completion providing access to the async handle - - - - Add a parameter to use on every request made with this client instance - - The IRestClient instance - Parameter to add - - - - - Removes a parameter from the default parameters that are used on every request made with this client instance - - The IRestClient instance - The name of the parameter that needs to be removed - - - - - Adds a HTTP parameter (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - Used on every request made by this client instance - - The IRestClient instance - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - The IRestClient instance - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddDefaultParameter(name, value, HttpHeader) overload - - The IRestClient instance - Name of the header to add - Value of the header to add - - - - - Shortcut to AddDefaultParameter(name, value, UrlSegment) overload - - The IRestClient instance - Name of the segment to add - Value of the segment to add - - - - - Container for data used to make requests - - - - - Default constructor - - - - - Sets Method property to value of method - - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Internal Method so that RestClient can increase the number of attempts - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - A function to run prior to deserializing starting (e.g. change settings if error encountered) - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Gets or sets a user-defined state object that contains information about a request and which can be later - retrieved when the request completes. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Base class for common properties shared by RestResponse and RestResponse[[T]] - - - - - Default constructor - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - The exception thrown during the request, if any - - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Container for data sent back from API - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Encoding for serialized content - - - - - Need to subclass StringWriter in order to override Encoding - - - - - Default JSON serializer for request bodies - Doesn't currently use the SerializeAs attribute, defers to Newtonsoft's attributes - - - - - Default serializer - - - - - Serialize the object as JSON - - Object to serialize - JSON as String - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Content type for serialized content - - - - - Allows control how class and property names and values are serialized by XmlSerializer - Currently not supported with the JsonSerializer - When specified at the property level the class-level specification is overridden - - - - - Called by the attribute when NameStyle is speficied - - The string to transform - String - - - - The name to use for the serialized element - - - - - Sets the value to be serialized as an Attribute instead of an Element - - - - - The culture to use when serializing - - - - - Transforms the casing of the name based on the selected value. - - - - - The order to serialize the element. Default is int.MaxValue. - - - - - Options for transforming casing of element names - - - - - Default XML Serializer - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Helper methods for validating required values - - - - - Require a parameter to not be null - - Name of the parameter - Value of the parameter - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - - Helper methods for validating values - - - - - Validate an integer value is between the specified values (exclusive of min/max) - - Value to validate - Exclusive minimum value - Exclusive maximum value - - - - Validate a string length - - String to be validated - Maximum length of the string - - - - Convert a to a instance. - - The response status. - - responseStatus - - - diff --git a/packages/RestSharp.104.4.0/lib/sl4-wp71/RestSharp.WindowsPhone.dll b/packages/RestSharp.104.4.0/lib/sl4-wp71/RestSharp.WindowsPhone.dll deleted file mode 100644 index c1cee1a..0000000 Binary files a/packages/RestSharp.104.4.0/lib/sl4-wp71/RestSharp.WindowsPhone.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/sl4-wp71/RestSharp.WindowsPhone.xml b/packages/RestSharp.104.4.0/lib/sl4-wp71/RestSharp.WindowsPhone.xml deleted file mode 100644 index 856b7a5..0000000 --- a/packages/RestSharp.104.4.0/lib/sl4-wp71/RestSharp.WindowsPhone.xml +++ /dev/null @@ -1,3597 +0,0 @@ - - - - RestSharp.WindowsPhone - - - - - - - - Base class for OAuth 2 Authenticators. - - - Since there are many ways to authenticate in OAuth2, - this is used as a base class to differentiate between - other authenticators. - - Any other OAuth2 authenticators must derive from this - abstract class. - - - - - Access token to be used when authenticating. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Gets the access token. - - - - - The OAuth 2 authenticator using URI query parameter. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.2 - - - - - Initializes a new instance of the class. - - - The access token. - - - - - The OAuth 2 authenticator using the authorization request header field. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.1 - - - - - Stores the Authorization header value as "[tokenType] accessToken". used for performance. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Initializes a new instance of the class. - - - The access token. - - - The token type. - - - - - All text parameters are UTF-8 encoded (per section 5.1). - - - - - - Generates a random 16-byte lowercase alphanumeric string. - - - - - - - Generates a timestamp based on the current elapsed seconds since '01/01/1970 0000 GMT" - - - - - - - Generates a timestamp based on the elapsed seconds of a given time since '01/01/1970 0000 GMT" - - - A specified point in time. - - - - - The set of characters that are unreserved in RFC 2396 but are NOT unreserved in RFC 3986. - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - The value to escape. - The escaped value. - - The method is supposed to take on - RFC 3986 behavior if certain elements are present in a .config file. Even if this - actually worked (which in my experiments it doesn't), we can't rely on every - host actually having this configuration element present. - - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - - - - - - Sorts a collection of key-value pairs by name, and then value if equal, - concatenating them into a single string. This string should be encoded - prior to, or after normalization is run. - - - - - - - - Sorts a by name, and then value if equal. - - A collection of parameters to sort - A sorted parameter collection - - - - Creates a request URL suitable for making OAuth requests. - Resulting URLs must exclude port 80 or port 443 when accompanied by HTTP and HTTPS, respectively. - Resulting URLs must be lower case. - - - The original request URL - - - - - Creates a request elements concatentation value to send with a request. - This is also known as the signature base. - - - - The request's HTTP method type - The request URL - The request's parameters - A signature base string - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The signature base - The consumer secret - The token secret - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer secret - The token secret - - - - - A class to encapsulate OAuth authentication flow. - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - Any existing, non-OAuth query parameters desired in the request - - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - Generates a instance to pass to an - for the purpose of exchanging user credentials - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - - - - - - - - - - Calculates a 32bit Cyclic Redundancy Checksum (CRC) using the same polynomial - used by Zip. This type is used internally by DotNetZip; it is generally not used - directly by applications wishing to create, read, or manipulate zip archive - files. - - - - - Returns the CRC32 for the specified stream. - - The stream over which to calculate the CRC32 - the CRC32 calculation - - - - Returns the CRC32 for the specified stream, and writes the input into the - output stream. - - The stream over which to calculate the CRC32 - The stream into which to deflate the input - the CRC32 calculation - - - - Get the CRC32 for the given (word,byte) combo. This is a computation - defined by PKzip. - - The word to start with. - The byte to combine it with. - The CRC-ized result. - - - - Update the value for the running CRC32 using the given block of bytes. - This is useful when using the CRC32() class in a Stream. - - block of bytes to slurp - starting point in the block - how many bytes within the block to slurp - - - - indicates the total number of bytes read on the CRC stream. - This is used when writing the ZipDirEntry when compressing files. - - - - - Indicates the current CRC for all blocks slurped in. - - - - - A Stream that calculates a CRC32 (a checksum) on all bytes read, - or on all bytes written. - - - - - This class can be used to verify the CRC of a ZipEntry when - reading from a stream, or to calculate a CRC when writing to a - stream. The stream should be used to either read, or write, but - not both. If you intermix reads and writes, the results are not - defined. - - - - This class is intended primarily for use internally by the - DotNetZip library. - - - - - - The default constructor. - - - Instances returned from this constructor will leave the underlying stream - open upon Close(). - - The underlying stream - - - - The constructor allows the caller to specify how to handle the underlying - stream at close. - - The underlying stream - true to leave the underlying stream - open upon close of the CrcCalculatorStream.; false otherwise. - - - - A constructor allowing the specification of the length of the stream to read. - - - Instances returned from this constructor will leave the underlying stream open - upon Close(). - - The underlying stream - The length of the stream to slurp - - - - A constructor allowing the specification of the length of the stream to - read, as well as whether to keep the underlying stream open upon Close(). - - The underlying stream - The length of the stream to slurp - true to leave the underlying stream - open upon close of the CrcCalculatorStream.; false otherwise. - - - - Read from the stream - - the buffer to read - the offset at which to start - the number of bytes to read - the number of bytes actually read - - - - Write to the stream. - - the buffer from which to write - the offset at which to start writing - the number of bytes to write - - - - Flush the stream. - - - - - Not implemented. - - N/A - N/A - N/A - - - - Not implemented. - - N/A - - - - Closes the stream. - - - - - Gets the total number of bytes run through the CRC32 calculator. - - - - This is either the total number of bytes read, or the total number of bytes - written, depending on the direction of this stream. - - - - - Provides the current CRC for all blocks slurped in. - - - - - Indicates whether the underlying stream will be left open when the - CrcCalculatorStream is Closed. - - - - - Indicates whether the stream supports reading. - - - - - Indicates whether the stream supports seeking. - - - - - Indicates whether the stream supports writing. - - - - - Not implemented. - - - - - Not implemented. - - - - - Describes how to flush the current deflate operation. - - - The different FlushType values are useful when using a Deflate in a streaming application. - - - - No flush at all. - - - Closes the current block, but doesn't flush it to - the output. Used internally only in hypothetical - scenarios. This was supposed to be removed by Zlib, but it is - still in use in some edge cases. - - - - - Use this during compression to specify that all pending output should be - flushed to the output buffer and the output should be aligned on a byte - boundary. You might use this in a streaming communication scenario, so that - the decompressor can get all input data available so far. When using this - with a ZlibCodec, AvailableBytesIn will be zero after the call if - enough output space has been provided before the call. Flushing will - degrade compression and so it should be used only when necessary. - - - - - Use this during compression to specify that all output should be flushed, as - with FlushType.Sync, but also, the compression state should be reset - so that decompression can restart from this point if previous compressed - data has been damaged or if random access is desired. Using - FlushType.Full too often can significantly degrade the compression. - - - - Signals the end of the compression/decompression stream. - - - - A class for compressing and decompressing GZIP streams. - - - - - The GZipStream is a Decorator on a . It adds GZIP compression or decompression to any stream. - - - Like the Compression.GZipStream in the .NET Base - Class Library, the Ionic.Zlib.GZipStream can compress while writing, or decompress - while reading, but not vice versa. The compression method used is GZIP, which is - documented in IETF RFC 1952, - "GZIP file format specification version 4.3". - - A GZipStream can be used to decompress data (through Read()) or to compress - data (through Write()), but not both. - - If you wish to use the GZipStream to compress data, you must wrap it around a - write-able stream. As you call Write() on the GZipStream, the data will be - compressed into the GZIP format. If you want to decompress data, you must wrap the - GZipStream around a readable stream that contains an IETF RFC 1952-compliant stream. - The data will be decompressed as you call Read() on the GZipStream. - - Though the GZIP format allows data from multiple files to be concatenated - together, this stream handles only a single segment of GZIP format, typically - representing a single file. - - - This class is similar to and . - ZlibStream handles RFC1950-compliant streams. - handles RFC1951-compliant streams. This class handles RFC1952-compliant streams. - - - - - - - - - - The last modified time for the GZIP stream. - - - GZIP allows the storage of a last modified time with each GZIP entry. - When compressing data, you can set this before the first call to Write(). When - decompressing, you can retrieve this value any time after the first call to - Read(). - - - - Create a GZipStream using the specified CompressionMode and the specified CompressionLevel, - and explicitly specify whether the stream should be left open after Deflation or Inflation. - - - - This constructor allows the application to request that the captive stream remain open after - the deflation or inflation occurs. By default, after Close() is called on the stream, the - captive stream is also closed. In some cases this is not desired, for example if the stream - is a memory stream that will be re-read after compressed data has been written to it. Specify true for the - leaveOpen parameter to leave the stream open. - - - As noted in the class documentation, - the CompressionMode (Compress or Decompress) also establishes the "direction" of the stream. - A GZipStream with CompressionMode.Compress works only through Write(). A GZipStream with - CompressionMode.Decompress works only through Read(). - - - - This example shows how to use a DeflateStream to compress data. - - using (System.IO.Stream input = System.IO.File.OpenRead(fileToCompress)) - { - using (var raw = System.IO.File.Create(outputFile)) - { - using (Stream compressor = new GZipStream(raw, CompressionMode.Compress, CompressionLevel.BestCompression, true)) - { - byte[] buffer = new byte[WORKING_BUFFER_SIZE]; - int n; - while ((n= input.Read(buffer, 0, buffer.Length)) != 0) - { - compressor.Write(buffer, 0, n); - } - } - } - } - - - Dim outputFile As String = (fileToCompress & ".compressed") - Using input As Stream = File.OpenRead(fileToCompress) - Using raw As FileStream = File.Create(outputFile) - Using compressor As Stream = New GZipStream(raw, CompressionMode.Compress, CompressionLevel.BestCompression, True) - Dim buffer As Byte() = New Byte(4096) {} - Dim n As Integer = -1 - Do While (n <> 0) - If (n > 0) Then - compressor.Write(buffer, 0, n) - End If - n = input.Read(buffer, 0, buffer.Length) - Loop - End Using - End Using - End Using - - - The stream which will be read or written. - Indicates whether the GZipStream will compress or decompress. - true if the application would like the stream to remain open after inflation/deflation. - A tuning knob to trade speed for effectiveness. - - - - Dispose the stream. - - - This may or may not result in a Close() call on the captive stream. - See the ctor's with leaveOpen parameters for more information. - - - - - Flush the stream. - - - - - Read and decompress data from the source stream. - - - With a GZipStream, decompression is done through reading. - - - - byte[] working = new byte[WORKING_BUFFER_SIZE]; - using (System.IO.Stream input = System.IO.File.OpenRead(_CompressedFile)) - { - using (Stream decompressor= new Ionic.Zlib.GZipStream(input, CompressionMode.Decompress, true)) - { - using (var output = System.IO.File.Create(_DecompressedFile)) - { - int n; - while ((n= decompressor.Read(working, 0, working.Length)) !=0) - { - output.Write(working, 0, n); - } - } - } - } - - - The buffer into which the decompressed data should be placed. - the offset within that data array to put the first byte read. - the number of bytes to read. - the number of bytes actually read - - - - Calling this method always throws a . - - irrelevant; it will always throw! - irrelevant; it will always throw! - irrelevant! - - - - Calling this method always throws a NotImplementedException. - - irrelevant; this method will always throw! - - - - The Comment on the GZIP stream. - - - - The GZIP format allows for each file to optionally have an associated comment stored with the - file. The comment is encoded with the ISO-8859-1 code page. To include a comment in - a GZIP stream you create, set this property before calling Write() for the first time - on the GZipStream. - - - - When using GZipStream to decompress, you can retrieve this property after the first - call to Read(). If no comment has been set in the GZIP bytestream, the Comment - property will return null (Nothing in VB). - - - - - - The FileName for the GZIP stream. - - - - The GZIP format optionally allows each file to have an associated filename. When - compressing data (through Write()), set this FileName before calling Write() the first - time on the GZipStream. The actual filename is encoded into the GZIP bytestream with - the ISO-8859-1 code page, according to RFC 1952. It is the application's responsibility to - insure that the FileName can be encoded and decoded correctly with this code page. - - - When decompressing (through Read()), you can retrieve this value any time after the - first Read(). In the case where there was no filename encoded into the GZIP - bytestream, the property will return null (Nothing in VB). - - - - - - The CRC on the GZIP stream. - - - This is used for internal error checking. You probably don't need to look at this property. - - - - - This property sets the flush behavior on the stream. - - - - - The size of the working buffer for the compression codec. - - - - - The working buffer is used for all stream operations. The default size is 1024 bytes. - The minimum size is 128 bytes. You may get better performance with a larger buffer. - Then again, you might not. You would have to test it. - - - - Set this before the first call to Read() or Write() on the stream. If you try to set it - afterwards, it will throw. - - - - - Returns the total number of bytes input so far. - - - Returns the total number of bytes output so far. - - - - Indicates whether the stream can be read. - - - The return value depends on whether the captive stream supports reading. - - - - - Indicates whether the stream supports Seek operations. - - - Always returns false. - - - - - Indicates whether the stream can be written. - - - The return value depends on whether the captive stream supports writing. - - - - - Reading this property always throws a NotImplementedException. - - - - - The position of the stream pointer. - - - Writing this property always throws a NotImplementedException. Reading will - return the total bytes written out, if used in writing, or the total bytes - read in, if used in reading. The count may refer to compressed bytes or - uncompressed bytes, depending on how you've used the stream. - - - - - A general purpose exception class for exceptions in the Zlib library. - - - - - The ZlibException class captures exception information generated - by the Zlib library. - - - - - This ctor collects a message attached to the exception. - - - - - - Performs an unsigned bitwise right shift with the specified number - - Number to operate on - Ammount of bits to shift - The resulting number from the shift operation - - - - Performs an unsigned bitwise right shift with the specified number - - Number to operate on - Ammount of bits to shift - The resulting number from the shift operation - - - Reads a number of characters from the current source TextReader and writes the data to the target array at the specified index. - The source TextReader to read from - Contains the array of characteres read from the source TextReader. - The starting index of the target array. - The maximum number of characters to read from the source TextReader. - The number of characters read. The number will be less than or equal to count depending on the data available in the source TextReader. Returns -1 if the end of the stream is reached. - - - - Computes an Adler-32 checksum. - - - The Adler checksum is similar to a CRC checksum, but faster to compute, though less - reliable. It is used in producing RFC1950 compressed streams. The Adler checksum - is a required part of the "ZLIB" standard. Applications will almost never need to - use this class directly. - - - - - Encoder and Decoder for ZLIB and DEFLATE (IETF RFC1950 and RFC1951). - - - - This class compresses and decompresses data according to the Deflate algorithm - and optionally, the ZLIB format, as documented in RFC 1950 - ZLIB and RFC 1951 - DEFLATE. - - - - - The buffer from which data is taken. - - - - - An index into the InputBuffer array, indicating where to start reading. - - - - - The number of bytes available in the InputBuffer, starting at NextIn. - - - Generally you should set this to InputBuffer.Length before the first Inflate() or Deflate() call. - The class will update this number as calls to Inflate/Deflate are made. - - - - - Total number of bytes read so far, through all calls to Inflate()/Deflate(). - - - - - Buffer to store output data. - - - - - An index into the OutputBuffer array, indicating where to start writing. - - - - - The number of bytes available in the OutputBuffer, starting at NextOut. - - - Generally you should set this to OutputBuffer.Length before the first Inflate() or Deflate() call. - The class will update this number as calls to Inflate/Deflate are made. - - - - - Total number of bytes written to the output so far, through all calls to Inflate()/Deflate(). - - - - - used for diagnostics, when something goes wrong! - - - - - The number of Window Bits to use. - - - This gauges the size of the sliding window, and hence the - compression effectiveness as well as memory consumption. It's best to just leave this - setting alone if you don't know what it is. The maximum value is 15 bits, which implies - a 32k window. - - - - - Create a ZlibCodec that decompresses. - - - - - Initialize the inflation state. - - - It is not necessary to call this before using the ZlibCodec to inflate data; - It is implicitly called when you call the constructor. - - Z_OK if everything goes well. - - - - Initialize the inflation state with an explicit flag to - govern the handling of RFC1950 header bytes. - - - - By default, the ZLIB header defined in RFC 1950 is expected. If - you want to read a zlib stream you should specify true for - expectRfc1950Header. If you have a deflate stream, you will want to specify - false. It is only necessary to invoke this initializer explicitly if you - want to specify false. - - - whether to expect an RFC1950 header byte - pair when reading the stream of data to be inflated. - - Z_OK if everything goes well. - - - - Initialize the ZlibCodec for inflation, with the specified number of window bits. - - The number of window bits to use. If you need to ask what that is, - then you shouldn't be calling this initializer. - Z_OK if all goes well. - - - - Initialize the inflation state with an explicit flag to govern the handling of - RFC1950 header bytes. - - - - If you want to read a zlib stream you should specify true for - expectRfc1950Header. In this case, the library will expect to find a ZLIB - header, as defined in RFC - 1950, in the compressed stream. If you will be reading a DEFLATE or - GZIP stream, which does not have such a header, you will want to specify - false. - - - whether to expect an RFC1950 header byte pair when reading - the stream of data to be inflated. - The number of window bits to use. If you need to ask what that is, - then you shouldn't be calling this initializer. - Z_OK if everything goes well. - - - - Inflate the data in the InputBuffer, placing the result in the OutputBuffer. - - - You must have set InputBuffer and OutputBuffer, NextIn and NextOut, and AvailableBytesIn and - AvailableBytesOut before calling this method. - - - - private void InflateBuffer() - { - int bufferSize = 1024; - byte[] buffer = new byte[bufferSize]; - ZlibCodec decompressor = new ZlibCodec(); - - Console.WriteLine("\n============================================"); - Console.WriteLine("Size of Buffer to Inflate: {0} bytes.", CompressedBytes.Length); - MemoryStream ms = new MemoryStream(DecompressedBytes); - - int rc = decompressor.InitializeInflate(); - - decompressor.InputBuffer = CompressedBytes; - decompressor.NextIn = 0; - decompressor.AvailableBytesIn = CompressedBytes.Length; - - decompressor.OutputBuffer = buffer; - - // pass 1: inflate - do - { - decompressor.NextOut = 0; - decompressor.AvailableBytesOut = buffer.Length; - rc = decompressor.Inflate(ZlibConstants.Z_NO_FLUSH); - - if (rc != ZlibConstants.Z_OK && rc != ZlibConstants.Z_STREAM_END) - throw new Exception("inflating: " + decompressor.Message); - - ms.Write(decompressor.OutputBuffer, 0, buffer.Length - decompressor.AvailableBytesOut); - } - while (decompressor.AvailableBytesIn > 0 || decompressor.AvailableBytesOut == 0); - - // pass 2: finish and flush - do - { - decompressor.NextOut = 0; - decompressor.AvailableBytesOut = buffer.Length; - rc = decompressor.Inflate(ZlibConstants.Z_FINISH); - - if (rc != ZlibConstants.Z_STREAM_END && rc != ZlibConstants.Z_OK) - throw new Exception("inflating: " + decompressor.Message); - - if (buffer.Length - decompressor.AvailableBytesOut > 0) - ms.Write(buffer, 0, buffer.Length - decompressor.AvailableBytesOut); - } - while (decompressor.AvailableBytesIn > 0 || decompressor.AvailableBytesOut == 0); - - decompressor.EndInflate(); - } - - - - The flush to use when inflating. - Z_OK if everything goes well. - - - - Ends an inflation session. - - - Call this after successively calling Inflate(). This will cause all buffers to be flushed. - After calling this you cannot call Inflate() without a intervening call to one of the - InitializeInflate() overloads. - - Z_OK if everything goes well. - - - - I don't know what this does! - - Z_OK if everything goes well. - - - - Set the dictionary to be used for either Inflation or Deflation. - - The dictionary bytes to use. - Z_OK if all goes well. - - - - The Adler32 checksum on the data transferred through the codec so far. You probably don't need to look at this. - - - - - A bunch of constants used in the Zlib interface. - - - - - The maximum number of window bits for the Deflate algorithm. - - - - - The default number of window bits for the Deflate algorithm. - - - - - indicates everything is A-OK - - - - - Indicates that the last operation reached the end of the stream. - - - - - The operation ended in need of a dictionary. - - - - - There was an error with the stream - not enough data, not open and readable, etc. - - - - - There was an error with the data - not enough data, bad data, etc. - - - - - There was an error with the working buffer. - - - - - The size of the working buffer used in the ZlibCodec class. Defaults to 8192 bytes. - - - - - The minimum size of the working buffer used in the ZlibCodec class. Currently it is 128 bytes. - - - - - Represents a Zlib stream for compression or decompression. - - - - - The ZlibStream is a Decorator on a . It adds ZLIB compression or decompression to any - stream. - - - Using this stream, applications can compress or decompress data via - stream Read and Write operations. Either compresssion or - decompression can occur through either reading or writing. The compression - format used is ZLIB, which is documented in IETF RFC 1950, "ZLIB Compressed - Data Format Specification version 3.3". This implementation of ZLIB always uses - DEFLATE as the compression method. (see IETF RFC 1951, "DEFLATE - Compressed Data Format Specification version 1.3.") - - - The ZLIB format allows for varying compression methods, window sizes, and dictionaries. - This implementation always uses the DEFLATE compression method, a preset dictionary, - and 15 window bits by default. - - - - This class is similar to , except that it adds the - RFC1950 header and trailer bytes to a compressed stream when compressing, or expects - the RFC1950 header and trailer bytes when decompressing. It is also similar to the - . - - - - - - - - Dispose the stream. - - - This may or may not result in a Close() call on the captive stream. - See the constructors that have a leaveOpen parameter for more information. - - - - - Flush the stream. - - - - - Read data from the stream. - - - - - - If you wish to use the ZlibStream to compress data while reading, you can create a - ZlibStream with CompressionMode.Compress, providing an uncompressed data stream. Then - call Read() on that ZlibStream, and the data read will be compressed. If you wish to - use the ZlibStream to decompress data while reading, you can create a ZlibStream with - CompressionMode.Decompress, providing a readable compressed data stream. Then call - Read() on that ZlibStream, and the data will be decompressed as it is read. - - - - A ZlibStream can be used for Read() or Write(), but not both. - - - The buffer into which the read data should be placed. - the offset within that data array to put the first byte read. - the number of bytes to read. - - - - Calling this method always throws a NotImplementedException. - - - - - Calling this method always throws a NotImplementedException. - - - - - Write data to the stream. - - - - - - If you wish to use the ZlibStream to compress data while writing, you can create a - ZlibStream with CompressionMode.Compress, and a writable output stream. Then call - Write() on that ZlibStream, providing uncompressed data as input. The data sent to - the output stream will be the compressed form of the data written. If you wish to use - the ZlibStream to decompress data while writing, you can create a ZlibStream with - CompressionMode.Decompress, and a writable output stream. Then call Write() on that - stream, providing previously compressed data. The data sent to the output stream will - be the decompressed form of the data written. - - - - A ZlibStream can be used for Read() or Write(), but not both. - - - The buffer holding data to write to the stream. - the offset within that data array to find the first byte to write. - the number of bytes to write. - - - - Uncompress a byte array into a single string. - - - - A buffer containing ZLIB-compressed data. - - - - - Uncompress a byte array into a byte array. - - - - - A buffer containing ZLIB-compressed data. - - - - - This property sets the flush behavior on the stream. - Sorry, though, not sure exactly how to describe all the various settings. - - - - - The size of the working buffer for the compression codec. - - - - - The working buffer is used for all stream operations. The default size is 1024 bytes. - The minimum size is 128 bytes. You may get better performance with a larger buffer. - Then again, you might not. You would have to test it. - - - - Set this before the first call to Read() or Write() on the stream. If you try to set it - afterwards, it will throw. - - - - - Returns the total number of bytes input so far. - - - Returns the total number of bytes output so far. - - - - Indicates whether the stream can be read. - - - The return value depends on whether the captive stream supports reading. - - - - - Indicates whether the stream supports Seek operations. - - - Always returns false. - - - - - Indicates whether the stream can be written. - - - The return value depends on whether the captive stream supports writing. - - - - - Reading this property always throws a NotImplementedException. - - - - - The position of the stream pointer. - - - Writing this property always throws a NotImplementedException. Reading will - return the total bytes written out, if used in writing, or the total bytes - read in, if used in reading. The count may refer to compressed bytes or - uncompressed bytes, depending on how you've used the stream. - - - - - Allows control how class and property names and values are deserialized by XmlAttributeDeserializer - - - - - The name to use for the serialized element - - - - - Sets if the property to Deserialize is an Attribute or Element (Default: false) - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Types of parameters that can be added to requests - - - - - Data formats - - - - - HTTP method to use when making requests - - - - - Format strings for commonly-used date formats - - - - - .NET format string for ISO 8601 date format - - - - - .NET format string for roundtrip date format - - - - - Status for responses (surprised?) - - - - - Extension method overload! - - - - - Read a stream into a byte array - - Stream to read - byte[] - - - - Copies bytes from one stream to another - - The input stream. - The output stream. - - - - Converts a byte array to a string, using its byte order mark to convert it to the right encoding. - http://www.shrinkrays.net/code-snippets/csharp/an-extension-method-for-converting-a-byte-array-to-a-string.aspx - - An array of bytes to convert - The byte as a string. - - - - Reflection extensions - - - - - Retrieve an attribute from a member (property) - - Type of attribute to retrieve - Member to retrieve attribute from - - - - - Retrieve an attribute from a type - - Type of attribute to retrieve - Type to retrieve attribute from - - - - - Checks a type to see if it derives from a raw generic (e.g. List[[]]) - - - - - - - - Find a value from a System.Enum by trying several possible variants - of the string value of the enum. - - Type of enum - Value for which to search - The culture used to calculate the name variants - - - - - Uses Uri.EscapeDataString() based on recommendations on MSDN - http://blogs.msdn.com/b/yangxind/archive/2006/11/09/don-t-use-net-system-uri-unescapedatastring-in-url-decoding.aspx - - - - - Check that a string is not null or empty - - String to check - bool - - - - Remove underscores from a string - - String to process - string - - - - Parses most common JSON date formats - - JSON value to parse - DateTime - - - - Remove leading and trailing " from a string - - String to parse - String - - - - Checks a string to see if it matches a regex - - String to check - Pattern to match - bool - - - - Converts a string to pascal case - - String to convert - string - - - - Converts a string to pascal case with the option to remove underscores - - String to convert - Option to remove underscores - - - - - Converts a string to camel case - - String to convert - String - - - - Convert the first letter of a string to lower case - - String to convert - string - - - - Checks to see if a string is all uppper case - - String to check - bool - - - - Add underscores to a pascal-cased string - - String to convert - string - - - - Add dashes to a pascal-cased string - - String to convert - string - - - - Add an undescore prefix to a pascasl-cased string - - - - - - - Return possible variants of a name for name matching. - - String to convert - The culture to use for conversion - IEnumerable<string> - - - - XML Extension Methods - - - - - Returns the name of an element with the namespace if specified - - Element name - XML Namespace - - - - - Container for files to be uploaded with requests - - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The content type to use in the request. - The - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The using the default content type. - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - HttpWebRequest wrapper (async methods) - - - HttpWebRequest wrapper - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - Execute an async POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute an async GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Creates an IHttp - - - - - - Default constructor - - - - - True if this HTTP request has any HTTP parameters - - - - - True if this HTTP request has any HTTP cookies - - - - - True if a request body has been specified - - - - - True if files have been set to be uploaded - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - UserAgent to be sent with request - - - - - Timeout in milliseconds to be used for the request - - - - - System.Net.ICredentials to be sent with request - - - - - The System.Net.CookieContainer to be used for the request - - - - - The method to use to write the response instead of reading into RawBytes - - - - - Collection of files to be sent with request - - - - - Whether or not HTTP 3xx response redirects should be automatically followed - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. - - - - - HTTP headers to be sent with request - - - - - HTTP parameters (QueryString or Form values) to be sent with request - - - - - HTTP cookies to be sent with request - - - - - Request body to be sent with request - - - - - Content type of the request body. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - URL to call for this request - - - - - Representation of an HTTP cookie - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Container for HTTP file - - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Representation of an HTTP header - - - - - Name of the header - - - - - Value of the header - - - - - Representation of an HTTP parameter (QueryString or Form value) - - - - - Name of the parameter - - - - - Value of the parameter - - - - - HTTP response data - - - - - HTTP response data - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Default constructor - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - Lazy-loaded string representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - - - - - - - - - - - - - - - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are five types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - Cookie: Adds the name/value pair to the HTTP request's Cookies collection - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container for data sent back from API - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exceptions thrown during the request, if any. - - Will contain only network transport or framework exceptions thrown during the request. HTTP protocol errors are handled by RestSharp and will not appear here. - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Parameter container for REST requests - - - - - Return a human-readable representation of this parameter - - String - - - - Name of the parameter - - - - - Value of the parameter - - - - - Type of the parameter - - - - - Client to translate RestRequests into Http requests and process response result - - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Default constructor that registers default content handlers - - - - - Sets the BaseUrl property for requests made by this client instance - - - - - - Registers a content handler to process response content - - MIME content type of the response content - Deserializer to use to process content - - - - Remove a content handler for the specified MIME content type - - MIME content type to remove - - - - Remove all content handlers - - - - - Retrieve the handler for the specified MIME content type - - MIME content type to retrieve - IDeserializer instance - - - - Assembles URL to call based on parameters, method and resource - - RestRequest to execute - Assembled System.Uri - - - - Parameters included with every request made with this instance of RestClient - If specified in both client and request, the request wins - - - - - Maximum number of redirects to follow if FollowRedirects is true - - - - - Default is true. Determine whether or not requests that result in - HTTP status codes of 3xx should follow returned redirect - - - - - The CookieContainer used for requests made by this client instance - - - - - UserAgent to use for requests made by this client instance - - - - - Timeout in milliseconds to use for requests made by this client instance - - - - - Whether to invoke async callbacks using the SynchronizationContext.Current captured when invoked - - - - - Authenticator to use for requests made by this client instance - - - - - Combined with Request.Resource to construct URL for request - Should include scheme and domain without trailing slash. - - - client.BaseUrl = "http://example.com"; - - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Request to be executed - Callback function to be executed upon completion - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Target deserialization type - Request to be executed - Callback function to be executed upon completion providing access to the async handle - - - - Add a parameter to use on every request made with this client instance - - The IRestClient instance - Parameter to add - - - - - Removes a parameter from the default parameters that are used on every request made with this client instance - - The IRestClient instance - The name of the parameter that needs to be removed - - - - - Adds a HTTP parameter (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - Used on every request made by this client instance - - The IRestClient instance - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - The IRestClient instance - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddDefaultParameter(name, value, HttpHeader) overload - - The IRestClient instance - Name of the header to add - Value of the header to add - - - - - Shortcut to AddDefaultParameter(name, value, UrlSegment) overload - - The IRestClient instance - Name of the segment to add - Value of the segment to add - - - - - Container for data used to make requests - - - - - Default constructor - - - - - Sets Method property to value of method - - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Internal Method so that RestClient can increase the number of attempts - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - A function to run prior to deserializing starting (e.g. change settings if error encountered) - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Gets or sets a user-defined state object that contains information about a request and which can be later - retrieved when the request completes. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Base class for common properties shared by RestResponse and RestResponse[[T]] - - - - - Default constructor - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - The exception thrown during the request, if any - - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Container for data sent back from API - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Encoding for serialized content - - - - - Need to subclass StringWriter in order to override Encoding - - - - - Default JSON serializer for request bodies - Doesn't currently use the SerializeAs attribute, defers to Newtonsoft's attributes - - - - - Default serializer - - - - - Serialize the object as JSON - - Object to serialize - JSON as String - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Content type for serialized content - - - - - Allows control how class and property names and values are serialized by XmlSerializer - Currently not supported with the JsonSerializer - When specified at the property level the class-level specification is overridden - - - - - Called by the attribute when NameStyle is speficied - - The string to transform - String - - - - The name to use for the serialized element - - - - - Sets the value to be serialized as an Attribute instead of an Element - - - - - The culture to use when serializing - - - - - Transforms the casing of the name based on the selected value. - - - - - The order to serialize the element. Default is int.MaxValue. - - - - - Options for transforming casing of element names - - - - - Default XML Serializer - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - - Helper methods for validating required values - - - - - Require a parameter to not be null - - Name of the parameter - Value of the parameter - - - - Helper methods for validating values - - - - - Validate an integer value is between the specified values (exclusive of min/max) - - Value to validate - Exclusive minimum value - Exclusive maximum value - - - - Validate a string length - - String to be validated - Maximum length of the string - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - diff --git a/packages/RestSharp.104.4.0/lib/sl4/RestSharp.Silverlight.dll b/packages/RestSharp.104.4.0/lib/sl4/RestSharp.Silverlight.dll deleted file mode 100644 index 54aabae..0000000 Binary files a/packages/RestSharp.104.4.0/lib/sl4/RestSharp.Silverlight.dll and /dev/null differ diff --git a/packages/RestSharp.104.4.0/lib/sl4/RestSharp.Silverlight.xml b/packages/RestSharp.104.4.0/lib/sl4/RestSharp.Silverlight.xml deleted file mode 100644 index 4fb2323..0000000 --- a/packages/RestSharp.104.4.0/lib/sl4/RestSharp.Silverlight.xml +++ /dev/null @@ -1,2532 +0,0 @@ - - - - RestSharp.Silverlight - - - - - - - - Base class for OAuth 2 Authenticators. - - - Since there are many ways to authenticate in OAuth2, - this is used as a base class to differentiate between - other authenticators. - - Any other OAuth2 authenticators must derive from this - abstract class. - - - - - Access token to be used when authenticating. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Gets the access token. - - - - - The OAuth 2 authenticator using URI query parameter. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.2 - - - - - Initializes a new instance of the class. - - - The access token. - - - - - The OAuth 2 authenticator using the authorization request header field. - - - Based on http://tools.ietf.org/html/draft-ietf-oauth-v2-10#section-5.1.1 - - - - - Stores the Authorization header value as "[tokenType] accessToken". used for performance. - - - - - Initializes a new instance of the class. - - - The access token. - - - - - Initializes a new instance of the class. - - - The access token. - - - The token type. - - - - - All text parameters are UTF-8 encoded (per section 5.1). - - - - - - Generates a random 16-byte lowercase alphanumeric string. - - - - - - - Generates a timestamp based on the current elapsed seconds since '01/01/1970 0000 GMT" - - - - - - - Generates a timestamp based on the elapsed seconds of a given time since '01/01/1970 0000 GMT" - - - A specified point in time. - - - - - The set of characters that are unreserved in RFC 2396 but are NOT unreserved in RFC 3986. - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - The value to escape. - The escaped value. - - The method is supposed to take on - RFC 3986 behavior if certain elements are present in a .config file. Even if this - actually worked (which in my experiments it doesn't), we can't rely on every - host actually having this configuration element present. - - - - - - - URL encodes a string based on section 5.1 of the OAuth spec. - Namely, percent encoding with [RFC3986], avoiding unreserved characters, - upper-casing hexadecimal characters, and UTF-8 encoding for text value pairs. - - - - - - - Sorts a collection of key-value pairs by name, and then value if equal, - concatenating them into a single string. This string should be encoded - prior to, or after normalization is run. - - - - - - - - Sorts a by name, and then value if equal. - - A collection of parameters to sort - A sorted parameter collection - - - - Creates a request URL suitable for making OAuth requests. - Resulting URLs must exclude port 80 or port 443 when accompanied by HTTP and HTTPS, respectively. - Resulting URLs must be lower case. - - - The original request URL - - - - - Creates a request elements concatentation value to send with a request. - This is also known as the signature base. - - - - The request's HTTP method type - The request URL - The request's parameters - A signature base string - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret. - This method is used when the token secret is currently unknown. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer key - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The signature base - The consumer secret - The token secret - - - - - Creates a signature value given a signature base and the consumer secret and a known token secret. - - - The hashing method - The treatment to use on a signature value - The signature base - The consumer secret - The token secret - - - - - A class to encapsulate OAuth authentication flow. - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - - - - - - Generates a instance to pass to an - for the purpose of requesting an - unauthorized request token. - - The HTTP method for the intended request - Any existing, non-OAuth query parameters desired in the request - - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - - - - Generates a instance to pass to an - for the purpose of exchanging a request token - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - Generates a instance to pass to an - for the purpose of exchanging user credentials - for an access token authorized by the user at the Service Provider site. - - The HTTP method for the intended request - - Any existing, non-OAuth query parameters desired in the request - - - - - - - - - - - - - Allows control how class and property names and values are deserialized by XmlAttributeDeserializer - - - - - The name to use for the serialized element - - - - - Sets if the property to Deserialize is an Attribute or Element (Default: false) - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Types of parameters that can be added to requests - - - - - Data formats - - - - - HTTP method to use when making requests - - - - - Format strings for commonly-used date formats - - - - - .NET format string for ISO 8601 date format - - - - - .NET format string for roundtrip date format - - - - - Status for responses (surprised?) - - - - - Extension method overload! - - - - - Save a byte array to a file - - Bytes to save - Full path to save file to - - - - Read a stream into a byte array - - Stream to read - byte[] - - - - Copies bytes from one stream to another - - The input stream. - The output stream. - - - - Converts a byte array to a string, using its byte order mark to convert it to the right encoding. - http://www.shrinkrays.net/code-snippets/csharp/an-extension-method-for-converting-a-byte-array-to-a-string.aspx - - An array of bytes to convert - The byte as a string. - - - - Reflection extensions - - - - - Retrieve an attribute from a member (property) - - Type of attribute to retrieve - Member to retrieve attribute from - - - - - Retrieve an attribute from a type - - Type of attribute to retrieve - Type to retrieve attribute from - - - - - Checks a type to see if it derives from a raw generic (e.g. List[[]]) - - - - - - - - Find a value from a System.Enum by trying several possible variants - of the string value of the enum. - - Type of enum - Value for which to search - The culture used to calculate the name variants - - - - - Uses Uri.EscapeDataString() based on recommendations on MSDN - http://blogs.msdn.com/b/yangxind/archive/2006/11/09/don-t-use-net-system-uri-unescapedatastring-in-url-decoding.aspx - - - - - Check that a string is not null or empty - - String to check - bool - - - - Remove underscores from a string - - String to process - string - - - - Parses most common JSON date formats - - JSON value to parse - DateTime - - - - Remove leading and trailing " from a string - - String to parse - String - - - - Checks a string to see if it matches a regex - - String to check - Pattern to match - bool - - - - Converts a string to pascal case - - String to convert - string - - - - Converts a string to pascal case with the option to remove underscores - - String to convert - Option to remove underscores - - - - - Converts a string to camel case - - String to convert - String - - - - Convert the first letter of a string to lower case - - String to convert - string - - - - Checks to see if a string is all uppper case - - String to check - bool - - - - Add underscores to a pascal-cased string - - String to convert - string - - - - Add dashes to a pascal-cased string - - String to convert - string - - - - Add an undescore prefix to a pascasl-cased string - - - - - - - Return possible variants of a name for name matching. - - String to convert - The culture to use for conversion - IEnumerable<string> - - - - XML Extension Methods - - - - - Returns the name of an element with the namespace if specified - - Element name - XML Namespace - - - - - Container for files to be uploaded with requests - - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The content type to use in the request. - The - - - - Creates a file parameter from an array of bytes. - - The parameter name to use in the request. - The data to use as the file's contents. - The filename to use in the request. - The using the default content type. - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - HttpWebRequest wrapper (async methods) - - - HttpWebRequest wrapper - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - Execute an async POST-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Execute an async GET-style request with the specified HTTP Method. - - The HTTP method to execute. - - - - - Creates an IHttp - - - - - - Default constructor - - - - - True if this HTTP request has any HTTP parameters - - - - - True if this HTTP request has any HTTP cookies - - - - - True if a request body has been specified - - - - - True if files have been set to be uploaded - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - UserAgent to be sent with request - - - - - Timeout in milliseconds to be used for the request - - - - - System.Net.ICredentials to be sent with request - - - - - The System.Net.CookieContainer to be used for the request - - - - - The method to use to write the response instead of reading into RawBytes - - - - - Collection of files to be sent with request - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. - - - - - HTTP headers to be sent with request - - - - - HTTP parameters (QueryString or Form values) to be sent with request - - - - - HTTP cookies to be sent with request - - - - - Request body to be sent with request - - - - - Content type of the request body. - - - - - An alternative to RequestBody, for when the caller already has the byte array. - - - - - URL to call for this request - - - - - Representation of an HTTP cookie - - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - - Container for HTTP file - - - - - The length of data to be sent - - - - - Provides raw data for file - - - - - Name of the file to use when uploading - - - - - MIME content type of file - - - - - Name of the parameter - - - - - Representation of an HTTP header - - - - - Name of the header - - - - - Value of the header - - - - - Representation of an HTTP parameter (QueryString or Form value) - - - - - Name of the parameter - - - - - Value of the parameter - - - - - HTTP response data - - - - - HTTP response data - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - Default constructor - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - Lazy-loaded string representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Headers returned by server with the response - - - - - Cookies returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exception thrown when error is encountered. - - - - - - - - - - - - - - - - - - - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are five types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - Cookie: Adds the name/value pair to the HTTP request's Cookies collection - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container for data sent back from API - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - Exceptions thrown during the request, if any. - - Will contain only network transport or framework exceptions thrown during the request. HTTP protocol errors are handled by RestSharp and will not appear here. - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Parameter container for REST requests - - - - - Return a human-readable representation of this parameter - - String - - - - Name of the parameter - - - - - Value of the parameter - - - - - Type of the parameter - - - - - Client to translate RestRequests into Http requests and process response result - - - - - Executes the request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Request to be executed - Callback function to be executed upon completion providing access to the async handle. - The HTTP method to execute - - - - Executes the request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - - - - Executes a GET-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Executes a POST-style request and callback asynchronously, authenticating if needed - - Target deserialization type - Request to be executed - Callback function to be executed upon completion - The HTTP method to execute - - - - Default constructor that registers default content handlers - - - - - Sets the BaseUrl property for requests made by this client instance - - - - - - Registers a content handler to process response content - - MIME content type of the response content - Deserializer to use to process content - - - - Remove a content handler for the specified MIME content type - - MIME content type to remove - - - - Remove all content handlers - - - - - Retrieve the handler for the specified MIME content type - - MIME content type to retrieve - IDeserializer instance - - - - Assembles URL to call based on parameters, method and resource - - RestRequest to execute - Assembled System.Uri - - - - Parameters included with every request made with this instance of RestClient - If specified in both client and request, the request wins - - - - - Maximum number of redirects to follow if FollowRedirects is true - - - - - Default is true. Determine whether or not requests that result in - HTTP status codes of 3xx should follow returned redirect - - - - - The CookieContainer used for requests made by this client instance - - - - - UserAgent to use for requests made by this client instance - - - - - Timeout in milliseconds to use for requests made by this client instance - - - - - Whether to invoke async callbacks using the SynchronizationContext.Current captured when invoked - - - - - Authenticator to use for requests made by this client instance - - - - - Combined with Request.Resource to construct URL for request - Should include scheme and domain without trailing slash. - - - client.BaseUrl = "http://example.com"; - - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Request to be executed - Callback function to be executed upon completion - - - - Executes the request and callback asynchronously, authenticating if needed - - The IRestClient this method extends - Target deserialization type - Request to be executed - Callback function to be executed upon completion providing access to the async handle - - - - Add a parameter to use on every request made with this client instance - - The IRestClient instance - Parameter to add - - - - - Removes a parameter from the default parameters that are used on every request made with this client instance - - The IRestClient instance - The name of the parameter that needs to be removed - - - - - Adds a HTTP parameter (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - Used on every request made by this client instance - - The IRestClient instance - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - The IRestClient instance - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddDefaultParameter(name, value, HttpHeader) overload - - The IRestClient instance - Name of the header to add - Value of the header to add - - - - - Shortcut to AddDefaultParameter(name, value, UrlSegment) overload - - The IRestClient instance - Name of the segment to add - Value of the segment to add - - - - - Container for data used to make requests - - - - - Default constructor - - - - - Sets Method property to value of method - - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Sets Resource property - - Resource to use for this request - - - - Sets Resource and Method properties - - Resource to use for this request - Method to use for this request - - - - Adds a file to the Files collection to be included with a POST or PUT request - (other methods do not support file uploads). - - The parameter name to use in the request - Full path to file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - The file data - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - This request - - - - Adds the bytes to the Files collection with the specified file name and content type - - The parameter name to use in the request - A function that writes directly to the stream. Should NOT close the stream. - The file name to use for the uploaded file - The MIME type of the file to upload - This request - - - - Serializes obj to format specified by RequestFormat, but passes xmlNamespace if using the default XmlSerializer - - The object to serialize - The XML namespace to use when serializing - This request - - - - Serializes obj to data format specified by RequestFormat and adds it to the request body. - - The object to serialize - This request - - - - Calls AddParameter() for all public, readable properties specified in the white list - - - request.AddObject(product, "ProductId", "Price", ...); - - The object with properties to add as parameters - The names of the properties to include - This request - - - - Calls AddParameter() for all public, readable properties of obj - - The object with properties to add as parameters - This request - - - - Add the parameter to the request - - Parameter to add - - - - - Adds a HTTP parameter to the request (QueryString for GET, DELETE, OPTIONS and HEAD; Encoded form for POST and PUT) - - Name of the parameter - Value of the parameter - This request - - - - Adds a parameter to the request. There are four types of parameters: - - GetOrPost: Either a QueryString value or encoded form value based on method - - HttpHeader: Adds the name/value pair to the HTTP request's Headers collection - - UrlSegment: Inserted into URL if there is a matching url token e.g. {AccountId} - - RequestBody: Used by AddBody() (not recommended to use directly) - - Name of the parameter - Value of the parameter - The type of parameter to add - This request - - - - Shortcut to AddParameter(name, value, HttpHeader) overload - - Name of the header to add - Value of the header to add - - - - - Shortcut to AddParameter(name, value, Cookie) overload - - Name of the cookie to add - Value of the cookie to add - - - - - Shortcut to AddParameter(name, value, UrlSegment) overload - - Name of the segment to add - Value of the segment to add - - - - - Internal Method so that RestClient can increase the number of attempts - - - - - Always send a multipart/form-data request - even when no Files are present. - - - - - Serializer to use when writing JSON request bodies. Used if RequestFormat is Json. - By default the included JsonSerializer is used (currently using JSON.NET default serialization). - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default the included XmlSerializer is used. - - - - - Set this to write response to Stream rather than reading into memory. - - - - - Determine whether or not the "default credentials" (e.g. the user account under which the current process is running) - will be sent along to the server. The default is false. - - - - - Container of all HTTP parameters to be passed with the request. - See AddParameter() for explanation of the types of parameters that can be passed - - - - - Container of all the files to be uploaded with the request. - - - - - Determines what HTTP method to use for this request. Supported methods: GET, POST, PUT, DELETE, HEAD, OPTIONS - Default is GET - - - - - The Resource URL to make the request against. - Tokens are substituted with UrlSegment parameters and match by name. - Should not include the scheme or domain. Do not include leading slash. - Combined with RestClient.BaseUrl to assemble final URL: - {BaseUrl}/{Resource} (BaseUrl is scheme + domain, e.g. http://example.com) - - - // example for url token replacement - request.Resource = "Products/{ProductId}"; - request.AddParameter("ProductId", 123, ParameterType.UrlSegment); - - - - - Serializer to use when writing XML request bodies. Used if RequestFormat is Xml. - By default XmlSerializer is used. - - - - - Used by the default deserializers to determine where to start deserializing from. - Can be used to skip container or root elements that do not have corresponding deserialzation targets. - - - - - A function to run prior to deserializing starting (e.g. change settings if error encountered) - - - - - Used by the default deserializers to explicitly set which date format string to use when parsing dates. - - - - - Used by XmlDeserializer. If not specified, XmlDeserializer will flatten response by removing namespaces from element names. - - - - - In general you would not need to set this directly. Used by the NtlmAuthenticator. - - - - - Gets or sets a user-defined state object that contains information about a request and which can be later - retrieved when the request completes. - - - - - Timeout in milliseconds to be used for the request. This timeout value overrides a timeout set on the RestClient. - - - - - How many attempts were made to send this Request? - - - This Number is incremented each time the RestClient sends the request. - Useful when using Asynchronous Execution with Callbacks - - - - - Base class for common properties shared by RestResponse and RestResponse[[T]] - - - - - Default constructor - - - - - The RestRequest that was made to get this RestResponse - - - Mainly for debugging if ResponseStatus is not OK - - - - - MIME content type of response - - - - - Length in bytes of the response content - - - - - Encoding of the response content - - - - - String representation of response content - - - - - HTTP response status code - - - - - Description of HTTP status returned - - - - - Response content - - - - - The URL that actually responded to the content (different from request if redirected) - - - - - HttpWebResponse.Server - - - - - Cookies returned by server with the response - - - - - Headers returned by server with the response - - - - - Status of the request. Will return Error for transport errors. - HTTP errors will still return ResponseStatus.Completed, check StatusCode instead - - - - - Transport or other non-HTTP error generated while attempting request - - - - - The exception thrown during the request, if any - - - - - Container for data sent back from API including deserialized data - - Type of data to deserialize to - - - - Deserialized entity data - - - - - Container for data sent back from API - - - - - Wrapper for System.Xml.Serialization.XmlSerializer. - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Encoding for serialized content - - - - - Need to subclass StringWriter in order to override Encoding - - - - - Default JSON serializer for request bodies - Doesn't currently use the SerializeAs attribute, defers to Newtonsoft's attributes - - - - - Default serializer - - - - - Serialize the object as JSON - - Object to serialize - JSON as String - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Unused for JSON Serialization - - - - - Content type for serialized content - - - - - Allows control how class and property names and values are serialized by XmlSerializer - Currently not supported with the JsonSerializer - When specified at the property level the class-level specification is overridden - - - - - Called by the attribute when NameStyle is speficied - - The string to transform - String - - - - The name to use for the serialized element - - - - - Sets the value to be serialized as an Attribute instead of an Element - - - - - The culture to use when serializing - - - - - Transforms the casing of the name based on the selected value. - - - - - The order to serialize the element. Default is int.MaxValue. - - - - - Options for transforming casing of element names - - - - - Default XML Serializer - - - - - Default constructor, does not specify namespace - - - - - Specify the namespaced to be used when serializing - - XML namespace - - - - Serialize the object as XML - - Object to serialize - XML as string - - - - Name of the root element to use when serializing - - - - - XML namespace to use when serializing - - - - - Format string to use when serializing dates - - - - - Content type for serialized content - - - - - Represents the json array. - - - - - Initializes a new instance of the class. - - - - - Initializes a new instance of the class. - - The capacity of the json array. - - - - The json representation of the array. - - The json representation of the array. - - - - Represents the json object. - - - - - The internal member dictionary. - - - - - Initializes a new instance of . - - - - - Initializes a new instance of . - - The implementation to use when comparing keys, or null to use the default for the type of the key. - - - - Adds the specified key. - - The key. - The value. - - - - Determines whether the specified key contains key. - - The key. - - true if the specified key contains key; otherwise, false. - - - - - Removes the specified key. - - The key. - - - - - Tries the get value. - - The key. - The value. - - - - - Adds the specified item. - - The item. - - - - Clears this instance. - - - - - Determines whether [contains] [the specified item]. - - The item. - - true if [contains] [the specified item]; otherwise, false. - - - - - Copies to. - - The array. - Index of the array. - - - - Removes the specified item. - - The item. - - - - - Gets the enumerator. - - - - - - Returns an enumerator that iterates through a collection. - - - An object that can be used to iterate through the collection. - - - - - Returns a json that represents the current . - - - A json that represents the current . - - - - - Gets the at the specified index. - - - - - - Gets the keys. - - The keys. - - - - Gets the values. - - The values. - - - - Gets or sets the with the specified key. - - - - - - Gets the count. - - The count. - - - - Gets a value indicating whether this instance is read only. - - - true if this instance is read only; otherwise, false. - - - - - This class encodes and decodes JSON strings. - Spec. details, see http://www.json.org/ - - JSON uses Arrays and Objects. These correspond here to the datatypes JsonArray(IList<object>) and JsonObject(IDictionary<string,object>). - All numbers are parsed to doubles. - - - - - Parses the string json into a value - - A JSON string. - An IList<object>, a IDictionary<string,object>, a double, a string, null, true, or false - - - - Try parsing the json string into a value. - - - A JSON string. - - - The object. - - - Returns true if successfull otherwise false. - - - - - Converts a IDictionary<string,object> / IList<object> object into a JSON string - - A IDictionary<string,object> / IList<object> - Serializer strategy to use - A JSON encoded string, or null if object 'json' is not serializable - - - - Determines if a given object is numeric in any way - (can be integer, double, null, etc). - - - - - Helper methods for validating required values - - - - - Require a parameter to not be null - - Name of the parameter - Value of the parameter - - - - Helper methods for validating values - - - - - Validate an integer value is between the specified values (exclusive of min/max) - - Value to validate - Exclusive minimum value - Exclusive maximum value - - - - Validate a string length - - String to be validated - Maximum length of the string - - - - Comment of the cookie - - - - - Comment of the cookie - - - - - Indicates whether the cookie should be discarded at the end of the session - - - - - Domain of the cookie - - - - - Indicates whether the cookie is expired - - - - - Date and time that the cookie expires - - - - - Indicates that this cookie should only be accessed by the server - - - - - Name of the cookie - - - - - Path of the cookie - - - - - Port of the cookie - - - - - Indicates that the cookie should only be sent over secure channels - - - - - Date and time the cookie was created - - - - - Value of the cookie - - - - - Version of the cookie - - - - diff --git a/packages/RestSharp.104.4.0/readme.txt b/packages/RestSharp.104.4.0/readme.txt deleted file mode 100644 index 44a1b2f..0000000 --- a/packages/RestSharp.104.4.0/readme.txt +++ /dev/null @@ -1,22 +0,0 @@ -*** IMPORTANT CHANGE IN RESTSHARP VERSION 103 *** - -In 103.0, JSON.NET was removed as a dependency. - -If this is still installed in your project and no other libraries depend on -it you may remove it from your installed packages. - -There is one breaking change: the default Json*Serializer* is no longer -compatible with Json.NET. To use Json.NET for serialization, copy the code -from https://github.com/restsharp/RestSharp/blob/86b31f9adf049d7fb821de8279154f41a17b36f7/RestSharp/Serializers/JsonSerializer.cs -and register it with your client: - -var client = new RestClient(); -client.JsonSerializer = new YourCustomSerializer(); - -The default Json*Deserializer* is mostly compatible, but it does not support -all features which Json.NET has (like the ability to support a custom [JsonConverter] -by decorating a certain property with an attribute). If you need these features, you -must take care of the deserialization yourself to get it working. - -If you run into any compatibility issues with deserialization, -please report it to http://groups.google.com/group/restsharp diff --git a/packages/System.Linq.Dynamic.1.0.3/System.Linq.Dynamic.1.0.3.nupkg b/packages/System.Linq.Dynamic.1.0.3/System.Linq.Dynamic.1.0.3.nupkg deleted file mode 100644 index 60f81e9..0000000 Binary files a/packages/System.Linq.Dynamic.1.0.3/System.Linq.Dynamic.1.0.3.nupkg and /dev/null differ diff --git a/packages/System.Linq.Dynamic.1.0.3/lib/net40/System.Linq.Dynamic.dll b/packages/System.Linq.Dynamic.1.0.3/lib/net40/System.Linq.Dynamic.dll deleted file mode 100644 index b6e3098..0000000 Binary files a/packages/System.Linq.Dynamic.1.0.3/lib/net40/System.Linq.Dynamic.dll and /dev/null differ diff --git a/packages/Topshelf.3.1.3/Topshelf.3.1.3.nupkg b/packages/Topshelf.3.1.3/Topshelf.3.1.3.nupkg deleted file mode 100644 index dea78db..0000000 Binary files a/packages/Topshelf.3.1.3/Topshelf.3.1.3.nupkg and /dev/null differ diff --git a/packages/Topshelf.3.1.3/lib/net35/Topshelf.dll b/packages/Topshelf.3.1.3/lib/net35/Topshelf.dll deleted file mode 100644 index befdd9f..0000000 Binary files a/packages/Topshelf.3.1.3/lib/net35/Topshelf.dll and /dev/null differ diff --git a/packages/Topshelf.3.1.3/lib/net40-full/Topshelf.dll b/packages/Topshelf.3.1.3/lib/net40-full/Topshelf.dll deleted file mode 100644 index eee82ea..0000000 Binary files a/packages/Topshelf.3.1.3/lib/net40-full/Topshelf.dll and /dev/null differ diff --git a/packages/csredis.1.4.7.1/csredis.1.4.7.1.nupkg b/packages/csredis.1.4.7.1/csredis.1.4.7.1.nupkg deleted file mode 100644 index 156ba19..0000000 Binary files a/packages/csredis.1.4.7.1/csredis.1.4.7.1.nupkg and /dev/null differ diff --git a/packages/csredis.1.4.7.1/lib/net40/csredis.XML b/packages/csredis.1.4.7.1/lib/net40/csredis.XML deleted file mode 100644 index 79888ad..0000000 --- a/packages/csredis.1.4.7.1/lib/net40/csredis.XML +++ /dev/null @@ -1,2515 +0,0 @@ - - - - csredis - - - - - Provides data for the event that is raised when a subscription channel is opened or closed - - - - - Instantiate new instance of the RedisSubscriptionChangedEventArgs class - - The Redis server response - - - - The subscription response - - - - - Provides data for the event that is raised when a subscription message is received - - - - - Instantiate a new instance of the RedisSubscriptionReceivedEventArgs class - - The Redis server message - - - - The subscription message - - - - - Provides data for the event that is raised when a transaction command has been processed by the server - - - - - Instantiate a new instance of the RedisTransactionQueuedEventArgs class - - Server status code - - - - The status code of the transaction command - - - - - Provides data for the event that is raised when a Redis MONITOR message is received - - - - - Instantiate a new instance of the RedisMonitorEventArgs class - - The Redis server message - - - - Monitor output - - - - - Represents a Redis server error reply - - - - - Instantiate a new instance of the RedisException class - - Server response - - - - The exception that is thrown when an unexpected value is found in a Redis request or response - - - - - Instantiate a new instance of the RedisProtocolException class - - Protocol violoation message - - - - Occurs when a subscription message has been received - - - - - Occurs when a subsciption channel is opened or closed - - - - - Occurs when a monitor response is received - - - - - Represents UNIX Epoch (Jan 1, 1970 00:00:00 UTC) - - - - - Join arrays - - Arrays to join - Array of ToString() elements in each array - - - - Joine string with arrays - - Leading string element - Array to join - Array of str and ToString() elements of arrays - - - - Convert array of two-element tuple into flat array arguments - - Type of first item - Type of second item - Array of tuple arguments - Flattened array of arguments - - - - Parse score for +/- infinity and inclusive/exclusive - - Numeric base score - Score is exclusive, rather than inclusive - String representing Redis score/range notation - - - - Asynchronous Redis client - - - - - Instantiate a new instance of the RedisClientAsync class - - Redis host - Redis port - Connection timeout in milliseconds (0 for no timeout) - - - - Get a synchronous RedisClient for blocking calls (e.g. BLPop, Subscriptions, Transactions, etc) - - RedisClient to be used in single thread context - - - - Get a thread-safe, reusable subscription channel. - - A reusable subscription channel - - - - Close the subscription channel if it is not already Disposed. The channel will be made unusable for the remainder of the current RedisClientAsync. - - - - - Call arbitrary redis command (e.g. for a command not yet implemented in this package) - - The name of the command - Array of arguments to the command - Task returning Redis unified response - - - - Block the current thread and wait for the given Redis command to complete - - Redis command return type - Redis command method - Redis command output - - - - Authenticate to the server - - Server password - Task associated with status message - - - - Echo the given string - - Message to echo - Task associated with echo response - - - - Ping the server - - Task associated with status message - - - - Close the connection - - Task associated with status message - - - - Delete a key - - Keys to delete - - - - - Return a serialized version of the value stored at the specified key - - Key to dump - - - - - Determine if a key exists - - Key to check - - - - - Set a key's time to live in seconds - - Key to modify - Expiration (nearest second) - - - - - Set a key's time to live in seconds - - Key to modify - Expiration in seconds - - - - - Set the expiration for a key (nearest second) - - Key to modify - Date of expiration, to nearest second - - - - - Set the expiration for a key as a UNIX timestamp - - Key to modify - - - - - - Find all keys matching the given pattern - - Pattern to match - - - - - Atomically transfer a key from a Redis instance to another one - - Remote Redis host - Remote Redis port - Key to migrate - Remote database ID - Timeout in milliseconds - - - - - Atomically transfer a key from a Redis instance to another one - - Remote Redis host - Remote Redis port - Key to migrate - Remote database ID - Timeout in milliseconds - - - - - Move a key to another database - - Key to move - Database destination ID - - - - - Remove the expiration from a key - - Key to modify - - - - - Set a key's time to live in milliseconds - - Key to modify - Expiration (nearest millisecond) - - - - - Set a key's time to live in milliseconds - - Key - Expiration in milliseconds - - - - - Set the expiration for a key (nearest millisecond) - - Key to modify - Expiration date - - - - - Set the expiration for a key as a UNIX timestamp specified in milliseconds - - Key to modify - Expiration timestamp (milliseconds) - - - - - Get the time to live for a key in milliseconds - - Key to check - - - - - Return a random key from the keyspace - - - - - - Rename a key - - Key to rename - New key name - - - - - Rename a key, only if the new key does not exist - - Key to rename - New key name - - - - - Create a key using the provided serialized value, previously obtained using dump - - Key to restore - Time-to-live in milliseconds - Serialized value from DUMP - - - - - Sort the elements in a list, set or sorted set - - Key to sort - Number of elements to skip - Number of elements to return - Sort by external key - Sort direction - Sort lexicographically - Retrieve external keys - - - - - Sort the elements in a list, set or sorted set, then store the result in a new list - - Key to sort - Destination key name of stored sort - Number of elements to skip - Number of elements to return - Sort by external key - Sort direction - Sort lexicographically - Retrieve external keys - - - - - Get the time to live for a key - - Key to check - - - - - Determine the type stored at key - - Key to check - - - - - Release resources used by the current RedisClientAsync instance - - - - - Get a value indicating that the RedisClientAsync connection is open - - - - - Get host that the current RedisClientAsync is connected to - - - - - Get the port that the current RedisClientAsync is connected to - - - - - Occurs when a Task exception is thrown - - - - - Provides network connection to a Redis server - - - - - End-of-line string used by Redis server - - - - - Instantiate new instance of RedisConnection - - Redis server hostname or IP - Redis server port - - - - Open connection to the Redis server - - Timeout to wait for connection (0 for no timeout) - Time to wait for reading (0 for no timeout) - True if connected - - - - Read response from server into a stream - - The stream that will contain the contents of the server response. - Size of internal buffer used to copy streams - - - - Read server response bytes into buffer and advance the server response stream (requires Buffering=true) - - An array of bytes. When this method returns, the buffer contains the specified byte array with the values between offset and (offset + count - 1) replaced by the bytes read from the current source. - The zero-based byte offset in buffer at which to begin storing the data read from the current stream. - The maximum number of bytes to be read from the current stream. - The total number of bytes read into the buffer. This can be less than the number of bytes requested if that many bytes are not currently available, or zero (0) if the end of the stream has been reached. - - - - Read next object from Redis response - - Next object in response buffer - - - - Read next strongly-typed object from the Redis server - - Type of object that will be read - Redis parser method - Next object in response buffer - - - - Write command to Redis server - - Base Redis command - Array of command arguments - - - - Write command to Redis server and return strongly-typed result - - Type of object that will be read - Redis parser method - Base Redis command - Array of command arguments - Command response - - - - Asyncronously write command to Redis server - - Type of object that will be read - Redis parser method - Base Redis command - Array of command arguments - Task that will return strongly-typed Redis response when complete - - - - Asyncronously write command to Redis request buffer - - Base Redis base command - Array of command arguments - - - - Release resources used by the current RedisConnection - - - - - Redis server hostname - - - - - Redis server port - - - - - Get a value indicating that the Redis server connection is open - - - - - Get or set the value indicating that the current connection is in read-buffering mode - - - - - Occurs when a background task raises an exception - - - - - Synchronous Redis client - - - - - Instantiate a new instance of the RedisClient class - - Redis server host - Redis server port - Connection timeout in milliseconds (0 for no timeout) - - - - Enter pipeline mode - - - - - Commit pipeline and return results - - Array of all pipelined command results - - - - Commit pipeline and optionally return results - - Prevent allocation of result array - Array of all pipelined command results, or null if not returning results - - - - Call arbitrary Redis command (e.g. for a command not yet implemented in this library) - - The name of the command - Array of arguments to the command - Redis unified response - - - - Stream response from server rather than reading all at once (BULK replies only) - - Server response type - The stream that will contain the contents of the server response - Size of internal buffer used to copy streams - RedisClient command to execute - - - - Execute the specified command in buffered-read mode. The buffer MUST be emptied with Read() before any other commands are issued. - - Server response type - RedisClient command to execute - - - - Read server response bytes into buffer and advance the server response stream (requires BufferFor()) - - An array of bytes. When this method returns, the buffer contains the specified byte array with the values between offset and (offset + count - 1) replaced by the bytes read from the current source. - The zero-based byte offset in buffer at which to begin storing the data read from the current stream. - The maximum number of bytes to be read from the current stream. - The total number of bytes read into the buffer. This can be less than the number of bytes requested if that many bytes are not currently available, or zero (0) if the end of the stream has been reached. - - - - Authenticate to the server - - Redis server password - Status message - - - - Echo the given string - - Message to echo - Message - - - - Ping the server - - Status message - - - - Close the connection - - Status message - - - - Change the selected database for the current connection - - Zero-based database index - Status message - - - - Delete a key - - Keys to delete - Number of keys removed - - - - Return a serialized version of the value stored at the specified key - - Key to dump - Serialized value - - - - Determine if a key exists - - Key to check - True if key exists - - - - Set a key's time to live in seconds - - Key to modify - Expiration (nearest second) - True if timeout was set; false if key does not exist or timeout could not be set - - - - Set a key's time to live in seconds - - Key to modify - Expiration in seconds - True if timeout was set; false if key does not exist or timeout could not be set - - - - Set the expiration for a key (nearest second) - - Key to modify - Date of expiration, to nearest second - True if timeout was set; false if key does not exist or timeout could not be set - - - - Set the expiration for a key as a UNIX timestamp - - Key to modify - UNIX timestamp - True if timeout was set; false if key does not exist or timeout could not be set - - - - Find all keys matching the given pattern - - Pattern to match - Array of keys matching pattern - - - - Atomically transfer a key from a Redis instance to another one - - Remote Redis host - Remote Redis port - Key to migrate - Remote database ID - Timeout in milliseconds - Status message - - - - Atomically transfer a key from a Redis instance to another one - - Remote Redis host - Remote Redis port - Key to migrate - Remote database ID - Timeout in milliseconds - Status message - - - - Move a key to another database - - Key to move - Database destination ID - True if key was moved - - - - Get the number of references of the value associated with the specified key - - Subcommand arguments - The type of internal representation used to store the value at the specified key - - - - Inspect the internals of Redis objects - - Type of Object command to send - Subcommand arguments - Varies depending on subCommand - - - - Remove the expiration from a key - - Key to modify - True if timeout was removed - - - - Set a key's time to live in milliseconds - - Key to modify - Expiration (nearest millisecond) - True if timeout was set - - - - Set a key's time to live in milliseconds - - Key - Expiration in milliseconds - True if timeout was set - - - - Set the expiration for a key (nearest millisecond) - - Key to modify - Expiration date - True if timeout was set - - - - Set the expiration for a key as a UNIX timestamp specified in milliseconds - - Key to modify - Expiration timestamp (milliseconds) - True if timeout was set - - - - Get the time to live for a key in milliseconds - - Key to check - Time-to-live in milliseconds - - - - Return a random key from the keyspace - - A random key - - - - Rename a key - - Key to rename - New key name - Status code - - - - Rename a key, only if the new key does not exist - - Key to rename - New key name - True if key was renamed - - - - Create a key using the provided serialized value, previously obtained using dump - - Key to restore - Time-to-live in milliseconds - Serialized value from DUMP - Status code - - - - Sort the elements in a list, set or sorted set - - Key to sort - Number of elements to skip - Number of elements to return - Sort by external key - Sort direction - Sort lexicographically - Retrieve external keys - The sorted list - - - - Sort the elements in a list, set or sorted set, then store the result in a new list - - Key to sort - Destination key name of stored sort - Number of elements to skip - Number of elements to return - Sort by external key - Sort direction - Sort lexicographically - Retrieve external keys - Number of elements stored - - - - Get the time to live for a key - - Key to check - Time-to-live in seconds - - - - Determine the type stored at key - - Key to check - Type of key - - - - Delete one or more hash fields - - Hash key - Fields to delete - Number of fields removed from hash - - - - Determine if a hash field exists - - Hash key - Field to check - True if hash field exists - - - - Get the value of a hash field - - Hash key - Field to get - Value of hash field - - - - Get all the fields and values in a hash - - Object to map hash - Hash key - Strongly typed object mapped from hash - - - - Get all the fields and values in a hash - - Hash key - Dictionary mapped from string - - - - Increment the integer value of a hash field by the given number - - Hash key - Field to increment - Increment value - Value of field after increment - - - - Increment the float value of a hash field by the given number - - Hash key - Field to increment - Increment value - Value of field after increment - - - - Get all the fields in a hash - - Hash key - All hash field names - - - - Get the number of fields in a hash - - Hash key - Number of fields in hash - - - - Get the values of all the given hash fields - - Hash key - Fields to return - Values of given fields - - - - Set multiple hash fields to multiple values - - Hash key - Dictionary mapping of hash - Status code - - - - Set multiple hash fields to multiple values - - Type of object to map hash - Hash key - Object mapping of hash - Status code - - - - Set multiple hash fields to multiple values - - Hash key - Array of [key,value,key,value,..] - Status code - - - - Set the value of a hash field - - Hash key - Hash field to set - Value to set - True if field is new - - - - Set the value of a hash field, only if the field does not exist - - Hash key - Hash field to set - Value to set - True if field was set to value - - - - Get all the values in a hash - - Hash key - Array of all values in hash - - - - Remove and get the first element and key in a list, or block until one is available - - Timeout in seconds - List keys - List key and list value - - - - Remove and get the first element and key in a list, or block until one is available - - Timeout in seconds - List keys - List key and list value - - - - Remove and get the first element value in a list, or block until one is available - - Timeout in seconds - List keys - List value - - - - Remove and get the first element value in a list, or block until one is available - - Timeout in seconds - List keys - List value - - - - Remove and get the last element and key in a list, or block until one is available - - Timeout in seconds - List keys - List key and list value - - - - Remove and get the last element and key in a list, or block until one is available - - Timeout in seconds - List keys - List key and list value - - - - Remove and get the last element value in a list, or block until one is available - - Timeout in seconds - List value - - - - - Remove and get the last element value in a list, or block until one is available - - Timeout in seconds - List keys - List value - - - - Pop a value from a list, push it to another list and return it; or block until one is available - - Source list key - Destination key - Timeout in seconds - Element popped - - - - Pop a value from a list, push it to another list and return it; or block until one is available - - Source list key - Destination key - Timeout in seconds - Element popped - - - - Get an element from a list by its index - - List key - Zero-based index of item to return - Element at index - - - - Insert an element before or after another element in a list - - List key - Relative position - Relative element - Element to insert - Length of list after insert or -1 if pivot not found - - - - Get the length of a list - - List key - Length of list at key - - - - Remove and get the first element in a list - - List key - First element in list - - - - Prepend one or multiple values to a list - - List key - Values to push - Length of list after push - - - - Prepend a value to a list, only if the list exists - - List key - Value to push - Length of list after push - - - - Get a range of elements from a list - - List key - Start offset - Stop offset - List of elements in range - - - - Remove elements from a list - - List key - >0: remove N elements from head to tail; <0: remove N elements from tail to head; =0: remove all elements - Remove elements equal to value - Number of removed elements - - - - Set the value of an element in a list by its index - - List key - List index to modify - New element value - Status code - - - - Trim a list to the specified range - - List key - Zero-based start index - Zero-based stop index - Status code - - - - Remove and get the last elment in a list - - List key - Value of last list element - - - - Remove the last elment in a list, append it to another list and return it - - List source key - Destination key - Element being popped and pushed - - - - Append one or multiple values to a list - - List key - Values to push - Length of list after push - - - - Append a value to a list, only if the list exists - - List key - Values to push - Length of list after push - - - - Add one or more members to a set - - Set key - Members to add to set - Number of elements added to set - - - - Get the number of members in a set - - Set key - Number of elements in set - - - - Subtract multiple sets - - Set keys to subtract - Array of elements in resulting set - - - - Subtract multiple sets and store the resulting set in a key - - Destination key - Set keys to subtract - Number of elements in the resulting set - - - - Intersect multiple sets - - Set keys to intersect - Array of elements in resulting set - - - - Intersect multiple sets and store the resulting set in a key - - Destination key - Set keys to intersect - Number of elements in resulting set - - - - Determine if a given value is a member of a set - - Set key - Member to lookup - True if member exists in set - - - - Get all the members in a set - - Set key - All elements in the set - - - - Move a member from one set to another - - Source key - Destination key - Member to move - True if element was moved - - - - Remove and return a random member from a set - - Set key - The removed element - - - - Get a random member from a set - - Set key - One random element from set - - - - Get one or more random members from a set - - Set key - Number of elements to return - One or more random elements from set - - - - Remove one or more members from a set - - Set key - Set members to remove - Number of elements removed from set - - - - Add multiple sets - - Set keys to union - Array of elements in resulting set - - - - Add multiple sets and store the resulting set in a key - - Destination key - Set keys to union - Number of elements in resulting set - - - - Add one or more members to a sorted set, or update its score if it already exists - - Sorted set key - Array of member scores to add to sorted set - Number of elements added to the sorted set (not including member updates) - - - - Add one or more members to a sorted set, or update its score if it already exists - - Sorted set key - Array of member scores [s1, m1, s2, m2, ..] - Number of elements added to the sorted set (not including member updates) - - - - Get the number of members in a sorted set - - Sorted set key - Number of elements in the sorted set - - - - Count the members in a sorted set with scores within the given values - - Sorted set key - Minimum score - Maximum score - Minimum score is exclusive - Maximum score is exclusive - Number of elements in the specified score range - - - - Increment the score of a member in a sorted set - - Sorted set key - Increment by value - Sorted set member to increment - New score of member - - - - Intersect multiple sorted sets and store the resulting set in a new key - - Destination key - Multiplication factor for each input set - Aggregation function of resulting set - Sorted set keys to intersect - Number of elements in the resulting sorted set - - - - Return a range of members in a sorted set, by index - - Sorted set key - Start offset - Stop offset - Include scores in result - Array of elements in the specified range (with optional scores) - - - - Return a range of members in a sorted set, by score - - Sorted set key - Minimum score - Maximum score - Include scores in result - Minimum score is exclusive - Maximum score is exclusive - Start offset - Number of elements to return - List of elements in the specified range (with optional scores) - - - - Determine the index of a member in a sorted set - - Sorted set key - Member to lookup - Rank of member or null if key does not exist - - - - Remove one or more members from a sorted set - - Sorted set key - Members to remove - Number of elements removed - - - - Remove all members in a sorted set within the given indexes - - Sorted set key - Start offset - Stop offset - Number of elements removed - - - - Remove all members in a sorted set within the given scores - - Sorted set key - Minimum score - Maximum score - Minimum score is exclusive - Maximum score is exclusive - Number of elements removed - - - - Return a range of members in a sorted set, by index, with scores ordered from high to low - - Sorted set key - Start offset - Stop offset - Include scores in result - List of elements in the specified range (with optional scores) - - - - Return a range of members in a sorted set, by score, with scores ordered from high to low - - Sorted set key - Maximum score - Minimum score - Include scores in result - Maximum score is exclusive - Minimum score is exclusive - Start offset - Number of elements to return - List of elements in the specified score range (with optional scores) - - - - Determine the index of a member in a sorted set, with scores ordered from high to low - - Sorted set key - Member to lookup - Rank of member, or null if member does not exist - - - - Get the score associated with the given member in a sorted set - - Sorted set key - Member to lookup - Score of member, or null if member does not exist - - - - Add multiple sorted sets and store the resulting sorted set in a new key - - Destination key - Multiplication factor for each input set - Aggregation function of resulting set - Sorted set keys to union - Number of elements in the resulting sorted set - - - - Listen for messages published to channels matching the given patterns - - Patterns to subscribe - - - - Post a message to a channel - - Channel to post message - Message to send - Number of clients that received the message - - - - Stop listening for messages posted to channels matching the given patterns - - Patterns to unsubscribe - - - - Listen for messages published to the given channels - - Channels to subscribe - - - - Stop listening for messages posted to the given channels - - Channels to unsubscribe - - - - Execute a Lua script server side - - Script to run on server - Keys used by script - Arguments to pass to script - Redis object - - - - Execute a Lua script server side, sending only the script's cached SHA hash - - SHA1 hash of script - Keys used by script - Arguments to pass to script - Redis object - - - - Check existence of script SHA hashes in the script cache - - SHA1 script hashes - Array of boolean values indicating script existence on server - - - - Remove all scripts from the script cache - - Status code - - - - Kill the script currently in execution - - Status code - - - - Load the specified Lua script into the script cache - - Lua script to load - SHA1 hash of script - - - - Append a value to a key - - Key to modify - Value to append to key - Length of string after append - - - - Count set bits in a string - - Key to check - Start offset - Stop offset - Number of bits set to 1 - - - - Perform bitwise operations between strings - - Bit command to execute - Store result in destination key - Keys to operate - Size of string stored in the destination key - - - - Decrement the integer value of a key by one - - Key to modify - Value of key after decrement - - - - Decrement the integer value of a key by the given number - - Key to modify - Decrement value - Value of key after decrement - - - - Get the value of a key - - Key to lookup - Value of key - - - - Returns the bit value at offset in the string value stored at key - - Key to lookup - Offset of key to check - Bit value stored at offset - - - - Get a substring of the string stored at a key - - Key to lookup - Start offset - End offset - Substring in the specified range - - - - Set the string value of a key and return its old value - - Key to modify - Value to set - Old value stored at key, or null if key did not exist - - - - Increment the integer value of a key by one - - Key to modify - Value of key after increment - - - - Increment the integer value of a key by the given amount - - Key to modify - Increment amount - Value of key after increment - - - - Increment the float value of a key by the given amount - - Key to modify - Increment amount - Value of key after increment - - - - Get the values of all the given keys - - Keys to lookup - Array of values at the specified keys - - - - Set multiple keys to multiple values - - Key values to set - Status code - - - - Set multiple keys to multiple values - - Key values to set [k1, v1, k2, v2, ..] - Status code - - - - Set multiple keys to multiple values, only if none of the keys exist - - Key values to set - True if all keys were set - - - - Set multiple keys to multiple values, only if none of the keys exist - - Key values to set [k1, v1, k2, v2, ..] - True if all keys were set - - - - Set the value and expiration in milliseconds of a key - - Key to modify - Expiration in milliseconds - Value to set - Status code - - - - Set the string value of a key - - Key to modify - Value to set - Status code - - - - Set the string value of a key with atomic expiration and existence condition - - Key to modify - Value to set - Set expiration to nearest millisecond - Set key if existence condition - Status code, or null if condition not met - - - - Set the string value of a key with atomic expiration and existence condition - - Key to modify - Value to set - Set expiration to nearest second - Set key if existence condition - Status code, or null if condition not met - - - - Set the string value of a key with atomic expiration and existence condition - - Key to modify - Value to set - Set expiration to nearest millisecond - Set key if existence condition - Status code, or null if condition not met - - - - Sets or clears the bit at offset in the string value stored at key - - Key to modify - Modify key at offset - Value to set (on or off) - Original bit stored at offset - - - - Set the value and expiration of a key - - Key to modify - Expiration in seconds - Value to set - Status code - - - - Set the value of a key, only if the key does not exist - - Key to modify - Value to set - True if key was set - - - - Overwrite part of a string at key starting at the specified offset - - Key to modify - Start offset - Value to write at offset - Length of string after operation - - - - Get the length of the value stored in a key - - Key to lookup - Length of string at key - - - - Asyncronously rewrite the append-only file - - Status code - - - - Asynchronously save the dataset to disk - - Status code - - - - Kill the connection of a client - - Client IP returned from CLIENT LIST - Client port returned from CLIENT LIST - Status code - - - - Get the list of client connections - - Formatted string of clients - - - - Get the current connection name - - Connection name - - - - Set the current connection name - - Name of connection (no spaces) - Status code - - - - Get the value of a configuration paramter - - Configuration parameter to lookup - Configuration value - - - - Reset the stats returned by INFO - - Status code - - - - Set a configuration parameter to the given value - - Parameter to set - Value to set - Status code - - - - Return the number of keys in the selected database - - Number of keys - - - - Get debugging information about a key - - Key to lookup - Status code - - - - Make the server crash :( - - Status code - - - - Remove all keys from all databases - - Status code - - - - Remove all keys from the current database - - Status code - - - - Get information and statistics about the server - - all|default|server|clients|memory|persistence|stats|replication|cpu|commandstats|cluster|keyspace - Formatted string - - - - Get the timestamp of the last successful save to disk - - Date of last save - - - - Listen for all requests received by the server in real time - - Status code - - - - Syncronously save the dataset to disk - - Status code - - - - Syncronously save the dataset to disk an then shut down the server - - Force a DB saving operation even if no save points are configured - Status code - - - - Make the server a slave of another instance or promote it as master - - Master host - master port - Status code - - - - Turn off replication, turning the Redis server into a master - - Status code - - - - Manges the Redis slow queries log - - Slowlog sub-command - Optional argument to sub-command - Redis unified object - - - - Internal command used for replication - - Byte array of Redis sync data - - - - Return the current server time - - Server time - - - - Discard all commands issued after MULTI - - Status code - - - - Execute all commands issued after MULTI - - Array of output from all transaction commands - - - - Mark the start of a transaction block - - Status code - - - - Forget about all watched keys - - Status code - - - - Watch the given keys to determine execution of the MULTI/EXEC block - - Keys to watch - Status code - - - - Release resources used by the current RedisClient instance - - - - - Get a value indicating that the RedisClient connection is open - - - - - Get host that the current RedisClient is connected to - - - - - Get the port that the current RedisClient is connected to - - - - - Occurs when a subscription message has been received - - - - - Occurs when a subsciption channel is opened or closed - - - - - Occurs when a transaction command has been received - - - - - Occurs when a monitor response is received - - - - - Syncronous Redis Sentinel client - - - - - Instantiate a new instance of the RedisSentinelClient class - - Sentinel server hostname or IP - Sentinel server port - Connection timeout in milliseconds (0 for no timeout) - - - - Call arbitrary Sentinel command (e.g. for a command not yet implemented in this library) - - The name of the command - Array of arguments to the command - Redis unified response - - - - Ping the Sentinel server - - Status code - - - - Get a list of monitored Redis masters - - Redis master info - - - - Get a list of other Sentinels known to the current Sentinel - - Name of monitored master - Sentinel hosts and ports - - - - Get a list of monitored Redis slaves to the given master - - Name of monitored master - Redis slave info - - - - Get the IP and port of the current master Redis server - - Name of monitored master - IP and port of master Redis server - - - - Open one or more subscription channels to Redis Sentinel server - - Name of channels to open (refer to http://redis.io/ for channel names) - - - - Close one or more subscription channels to Redis Sentinel server - - Name of channels to close - - - - Open one or more subscription channels to Redis Sentinel server - - Pattern of channels to open (refer to http://redis.io/ for channel names) - - - - Close one or more subscription channels to Redis Sentinel server - - Pattern of channels to close - - - - Release resoures used by the current RedisSentinelClient - - - - - Occurs when a subscription message has been received - - - - - Occurs when a subsciption channel is opened or closed - - - - - Get a value indicating that the RedisSentinelClient connection is open - - - - - Get host that the current RedisSentinelClient is connected to - - - - - Get the port that the current RedisSentinelClient is connected to - - - - - Base class for Redis server-info objects reported by Sentinel - - - - - Represents a Redis master node as reported by a Redis Sentinel - - - - - Represents a Redis Sentinel node as reported by a Redis Sentinel - - - - - Represents a Redis slave node as reported by a Redis Setinel - - - - - Manage Redis Sentinel connections - - - - - Instantiate a new instance of the RedisSentinelManager class - - array of Sentinel nodes ["host1:ip", "host2:ip", ..] - - - - Connect to and return the active master Redis client - - Name of master - Time to wait for Sentinel response (milliseconds) - Time to wait for Redis master response (milliseconds) - Connected RedisClient master, or null if cannot connect - - - - Connect to and return a Redis slave client - - Name of master that slave belongs to - Time to wait for Sentinel response (milliseconds) - Time to wait for Redis slave response (milliseconds) - Connected RedisClient slave, or null if cannot connect - - - - Connect to and return a Redis Sentinel client - - Time to wait for Sentinel response (milliseconds) - Connected Sentinel client, or null if cannot connect - - - - Add a new Sentinel server to known hosts - - Sentinel server hostname or IP - Sentinel server port - - - - Thread-safe redis subscription client - - - - - Create new instance of subscribe-only RedisClient - - Redis server host or IP - Redis server port - Redis server password - - - - Listen for messages published to the given channels - - Channels to subscribe - - - - Listen for messages published to the given channels - - Callback for received messages on the specified channels - Channels to subscribe - - - - Listen for messages published to channels matching the given patterns - - Patterns to subscribe - - - - Listen for messages published to channels matching the given patterns - - Callback for received messages on the specified channel patterns - Patterns to subscribe - - - - Stop listening for messages posted to the given channels - - Channels to unsubscribe - - - - Stop listening for messages posted to channels matching the given patterns - - Patterns to unsubscribe - - - - Release resources used by the current RedisSubscriptionClient - - - - - Occurs when a subscription message has been received - - - - - Occurs when a subsciption channel is opened or closed - - - - - Get a value indicating that the current RedisSubscriptionClient is connected to the server - - - - - Get the total number of subscribed channels - - - - - Base class for Redis pub/sub responses - - - - - Read multi-bulk response from Redis server - - - - - - - The type of response - - - - - Get the channel to which the message was published, or null if not available - - - - - Get the pattern that matched the published channel, or null if not available - - - - - Represents a Redis channel in a pub/sub context - - - - - Instantiate a new instance of the RedisSubscriptionChannel class - - The type of channel response - Redis multi-bulk response - - - - Get the number of subscription channels currently open on the current connection - - - - - Represents a Redis message in a pub/sub context - - - - - Instantiate a new instance of the RedisSubscriptionMessage class - - The type of message response - Redis multi-bulk response - - - - Get the message that was published - - - - - Sub-command used by Redis OBJECT command - - - - - Return the number of references of the value associated with the specified key - - - - - Return the number of seconds since the object stored at the specified key is idle - - - - - Sort direction used by Redis SORT command - - - - - Sort ascending (a-z) - - - - - Sort descending (z-a) - - - - - Insert position used by Redis LINSERT command - - - - - Insert before pivot element - - - - - Insert after pivot element - - - - - Operation used by Redis BITOP command - - - - - Bitwise AND - - - - - Bitwise OR - - - - - Bitwise EXCLUSIVE-OR - - - - - Bitwise NOT - - - - - Aggregation function used by Reids set operations - - - - - Aggregate SUM - - - - - Aggregate MIN - - - - - Aggregate MAX - - - - - Redis unified message prefix - - - - - Error message - - - - - Status message - - - - - Bulk message - - - - - Multi bulk message - - - - - Int message - - - - - Redis sub-command for SLOWLOG command - - - - - Return entries in the slow log - - - - - Get the length of the slow log - - - - - Delete all information from the slow log - - - - - Redis subscription response type - - - - - Channel subscribed - - - - - Message published - - - - - Channel unsubscribed - - - - - Channel pattern subscribed - - - - - Message published to channel pattern - - - - - Channel pattern unsubsribed - - - - - Redis existence specification for SET command - - - - - Only set the key if it does not already exist - - - - - Only set the key if it already exists - - - - diff --git a/packages/csredis.1.4.7.1/lib/net40/csredis.dll b/packages/csredis.1.4.7.1/lib/net40/csredis.dll deleted file mode 100644 index d08d0ee..0000000 Binary files a/packages/csredis.1.4.7.1/lib/net40/csredis.dll and /dev/null differ diff --git a/packages/repositories.config b/packages/repositories.config index c216dd1..c76a6f7 100644 --- a/packages/repositories.config +++ b/packages/repositories.config @@ -1,6 +1,7 @@  - + + \ No newline at end of file